2023-07-27 07:31:52 +02:00
|
|
|
/*
|
2024-02-13 16:59:27 +01:00
|
|
|
* SPDX-FileCopyrightText: syuilo and misskey-project
|
2023-07-27 07:31:52 +02:00
|
|
|
* SPDX-License-Identifier: AGPL-3.0-only
|
|
|
|
*/
|
|
|
|
|
2023-02-16 15:09:41 +01:00
|
|
|
import { Inject, Injectable } from '@nestjs/common';
|
2023-04-14 06:50:05 +02:00
|
|
|
import * as Redis from 'ioredis';
|
2023-06-25 14:13:15 +02:00
|
|
|
import _Ajv from 'ajv';
|
2022-09-17 20:27:08 +02:00
|
|
|
import { ModuleRef } from '@nestjs/core';
|
2024-03-12 06:31:34 +01:00
|
|
|
import { In } from 'typeorm';
|
2022-09-17 20:27:08 +02:00
|
|
|
import { DI } from '@/di-symbols.js';
|
2022-09-20 22:33:11 +02:00
|
|
|
import type { Config } from '@/config.js';
|
2023-03-10 06:22:37 +01:00
|
|
|
import type { Packed } from '@/misc/json-schema.js';
|
2022-09-17 20:27:08 +02:00
|
|
|
import type { Promiseable } from '@/misc/prelude/await-all.js';
|
|
|
|
import { awaitAll } from '@/misc/prelude/await-all.js';
|
2022-02-27 03:07:39 +01:00
|
|
|
import { USER_ACTIVE_THRESHOLD, USER_ONLINE_THRESHOLD } from '@/const.js';
|
2023-09-20 04:33:36 +02:00
|
|
|
import type { MiLocalUser, MiPartialLocalUser, MiPartialRemoteUser, MiRemoteUser, MiUser } from '@/models/User.js';
|
2024-03-12 06:31:34 +01:00
|
|
|
import {
|
|
|
|
birthdaySchema,
|
|
|
|
descriptionSchema,
|
2024-03-14 17:28:56 +01:00
|
|
|
listenbrainzSchema,
|
|
|
|
localUsernameSchema,
|
2024-03-12 06:31:34 +01:00
|
|
|
locationSchema,
|
|
|
|
nameSchema,
|
|
|
|
passwordSchema,
|
|
|
|
} from '@/models/User.js';
|
|
|
|
import type {
|
|
|
|
BlockingsRepository,
|
2024-03-24 13:13:43 +01:00
|
|
|
DriveFilesRepository,
|
2024-03-12 06:31:34 +01:00
|
|
|
FollowingsRepository,
|
|
|
|
FollowRequestsRepository,
|
|
|
|
MiFollowing,
|
|
|
|
MiUserNotePining,
|
|
|
|
MiUserProfile,
|
|
|
|
MutingsRepository,
|
|
|
|
NoteUnreadsRepository,
|
|
|
|
RenoteMutingsRepository,
|
|
|
|
UserMemoRepository,
|
|
|
|
UserNotePiningsRepository,
|
|
|
|
UserProfilesRepository,
|
|
|
|
UserSecurityKeysRepository,
|
|
|
|
UsersRepository,
|
|
|
|
} from '@/models/_.js';
|
2023-01-12 13:02:26 +01:00
|
|
|
import { bindThis } from '@/decorators.js';
|
|
|
|
import { RoleService } from '@/core/RoleService.js';
|
2023-04-08 07:16:26 +02:00
|
|
|
import { ApPersonService } from '@/core/activitypub/models/ApPersonService.js';
|
2023-04-07 11:48:45 +02:00
|
|
|
import { FederatedInstanceService } from '@/core/FederatedInstanceService.js';
|
2023-10-16 03:45:22 +02:00
|
|
|
import { IdService } from '@/core/IdService.js';
|
2023-10-21 11:38:07 +02:00
|
|
|
import type { AnnouncementService } from '@/core/AnnouncementService.js';
|
|
|
|
import type { CustomEmojiService } from '@/core/CustomEmojiService.js';
|
|
|
|
import { AvatarDecorationService } from '@/core/AvatarDecorationService.js';
|
2024-02-23 06:12:57 +01:00
|
|
|
import { isNotNull } from '@/misc/is-not-null.js';
|
2022-09-17 20:27:08 +02:00
|
|
|
import type { OnModuleInit } from '@nestjs/common';
|
|
|
|
import type { NoteEntityService } from './NoteEntityService.js';
|
|
|
|
import type { DriveFileEntityService } from './DriveFileEntityService.js';
|
|
|
|
import type { PageEntityService } from './PageEntityService.js';
|
2019-04-23 15:35:26 +02:00
|
|
|
|
2023-06-25 14:13:15 +02:00
|
|
|
const Ajv = _Ajv.default;
|
2022-02-19 06:05:32 +01:00
|
|
|
const ajv = new Ajv();
|
|
|
|
|
2023-08-16 10:51:28 +02:00
|
|
|
function isLocalUser(user: MiUser): user is MiLocalUser;
|
|
|
|
function isLocalUser<T extends { host: MiUser['host'] }>(user: T): user is (T & { host: null; });
|
|
|
|
function isLocalUser(user: MiUser | { host: MiUser['host'] }): boolean {
|
2022-03-26 07:34:00 +01:00
|
|
|
return user.host == null;
|
|
|
|
}
|
|
|
|
|
2023-08-16 10:51:28 +02:00
|
|
|
function isRemoteUser(user: MiUser): user is MiRemoteUser;
|
|
|
|
function isRemoteUser<T extends { host: MiUser['host'] }>(user: T): user is (T & { host: string; });
|
|
|
|
function isRemoteUser(user: MiUser | { host: MiUser['host'] }): boolean {
|
2022-03-26 07:34:00 +01:00
|
|
|
return !isLocalUser(user);
|
|
|
|
}
|
|
|
|
|
2024-03-12 06:31:34 +01:00
|
|
|
export type UserRelation = {
|
|
|
|
id: MiUser['id']
|
|
|
|
following: MiFollowing | null,
|
|
|
|
isFollowing: boolean
|
|
|
|
isFollowed: boolean
|
|
|
|
hasPendingFollowRequestFromYou: boolean
|
|
|
|
hasPendingFollowRequestToYou: boolean
|
|
|
|
isBlocking: boolean
|
|
|
|
isBlocked: boolean
|
|
|
|
isMuted: boolean
|
|
|
|
isRenoteMuted: boolean
|
|
|
|
}
|
|
|
|
|
2022-09-17 20:27:08 +02:00
|
|
|
@Injectable()
|
|
|
|
export class UserEntityService implements OnModuleInit {
|
2023-04-08 07:16:26 +02:00
|
|
|
private apPersonService: ApPersonService;
|
2022-09-17 20:27:08 +02:00
|
|
|
private noteEntityService: NoteEntityService;
|
2024-03-24 13:13:43 +01:00
|
|
|
private driveFileEntityService: DriveFileEntityService;
|
2022-09-17 20:27:08 +02:00
|
|
|
private pageEntityService: PageEntityService;
|
|
|
|
private customEmojiService: CustomEmojiService;
|
2023-08-13 13:12:29 +02:00
|
|
|
private announcementService: AnnouncementService;
|
2023-01-12 13:02:26 +01:00
|
|
|
private roleService: RoleService;
|
2023-04-07 11:48:45 +02:00
|
|
|
private federatedInstanceService: FederatedInstanceService;
|
2023-10-16 03:45:22 +02:00
|
|
|
private idService: IdService;
|
2023-10-21 11:38:07 +02:00
|
|
|
private avatarDecorationService: AvatarDecorationService;
|
2022-09-17 20:27:08 +02:00
|
|
|
|
|
|
|
constructor(
|
|
|
|
private moduleRef: ModuleRef,
|
|
|
|
|
|
|
|
@Inject(DI.config)
|
|
|
|
private config: Config,
|
|
|
|
|
2023-04-04 07:06:57 +02:00
|
|
|
@Inject(DI.redis)
|
|
|
|
private redisClient: Redis.Redis,
|
|
|
|
|
2022-09-17 20:27:08 +02:00
|
|
|
@Inject(DI.usersRepository)
|
|
|
|
private usersRepository: UsersRepository,
|
|
|
|
|
|
|
|
@Inject(DI.userSecurityKeysRepository)
|
|
|
|
private userSecurityKeysRepository: UserSecurityKeysRepository,
|
|
|
|
|
|
|
|
@Inject(DI.followingsRepository)
|
|
|
|
private followingsRepository: FollowingsRepository,
|
|
|
|
|
|
|
|
@Inject(DI.followRequestsRepository)
|
|
|
|
private followRequestsRepository: FollowRequestsRepository,
|
|
|
|
|
|
|
|
@Inject(DI.blockingsRepository)
|
|
|
|
private blockingsRepository: BlockingsRepository,
|
|
|
|
|
|
|
|
@Inject(DI.mutingsRepository)
|
|
|
|
private mutingsRepository: MutingsRepository,
|
|
|
|
|
2023-03-08 00:56:09 +01:00
|
|
|
@Inject(DI.renoteMutingsRepository)
|
|
|
|
private renoteMutingsRepository: RenoteMutingsRepository,
|
|
|
|
|
2024-03-24 13:13:43 +01:00
|
|
|
@Inject(DI.driveFilesRepository)
|
|
|
|
private driveFilesRepository: DriveFilesRepository,
|
|
|
|
|
2022-09-17 20:27:08 +02:00
|
|
|
@Inject(DI.noteUnreadsRepository)
|
|
|
|
private noteUnreadsRepository: NoteUnreadsRepository,
|
|
|
|
|
|
|
|
@Inject(DI.userNotePiningsRepository)
|
|
|
|
private userNotePiningsRepository: UserNotePiningsRepository,
|
|
|
|
|
|
|
|
@Inject(DI.userProfilesRepository)
|
|
|
|
private userProfilesRepository: UserProfilesRepository,
|
|
|
|
|
2023-04-13 06:31:54 +02:00
|
|
|
@Inject(DI.userMemosRepository)
|
|
|
|
private userMemosRepository: UserMemoRepository,
|
2022-09-17 20:27:08 +02:00
|
|
|
) {
|
|
|
|
}
|
|
|
|
|
|
|
|
onModuleInit() {
|
2023-04-08 07:16:26 +02:00
|
|
|
this.apPersonService = this.moduleRef.get('ApPersonService');
|
2022-09-17 20:27:08 +02:00
|
|
|
this.noteEntityService = this.moduleRef.get('NoteEntityService');
|
2024-03-24 13:13:43 +01:00
|
|
|
this.driveFileEntityService = this.moduleRef.get('DriveFileEntityService');
|
2022-09-17 20:27:08 +02:00
|
|
|
this.pageEntityService = this.moduleRef.get('PageEntityService');
|
|
|
|
this.customEmojiService = this.moduleRef.get('CustomEmojiService');
|
2023-08-13 13:12:29 +02:00
|
|
|
this.announcementService = this.moduleRef.get('AnnouncementService');
|
2023-01-12 13:02:26 +01:00
|
|
|
this.roleService = this.moduleRef.get('RoleService');
|
2023-04-07 11:48:45 +02:00
|
|
|
this.federatedInstanceService = this.moduleRef.get('FederatedInstanceService');
|
2023-10-16 03:45:22 +02:00
|
|
|
this.idService = this.moduleRef.get('IdService');
|
2023-10-21 11:38:07 +02:00
|
|
|
this.avatarDecorationService = this.moduleRef.get('AvatarDecorationService');
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2022-02-19 06:05:32 +01:00
|
|
|
|
|
|
|
//#region Validators
|
2022-09-17 20:27:08 +02:00
|
|
|
public validateLocalUsername = ajv.compile(localUsernameSchema);
|
|
|
|
public validatePassword = ajv.compile(passwordSchema);
|
|
|
|
public validateName = ajv.compile(nameSchema);
|
|
|
|
public validateDescription = ajv.compile(descriptionSchema);
|
|
|
|
public validateLocation = ajv.compile(locationSchema);
|
|
|
|
public validateBirthday = ajv.compile(birthdaySchema);
|
2023-09-22 03:31:59 +02:00
|
|
|
public validateListenBrainz = ajv.compile(listenbrainzSchema);
|
2022-02-19 06:05:32 +01:00
|
|
|
//#endregion
|
|
|
|
|
2022-09-17 20:27:08 +02:00
|
|
|
public isLocalUser = isLocalUser;
|
|
|
|
public isRemoteUser = isRemoteUser;
|
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2024-03-12 06:31:34 +01:00
|
|
|
public async getRelation(me: MiUser['id'], target: MiUser['id']): Promise<UserRelation> {
|
2023-10-06 09:28:21 +02:00
|
|
|
const [
|
2023-09-21 11:48:15 +02:00
|
|
|
following,
|
2023-10-06 09:28:21 +02:00
|
|
|
isFollowed,
|
|
|
|
hasPendingFollowRequestFromYou,
|
|
|
|
hasPendingFollowRequestToYou,
|
|
|
|
isBlocking,
|
|
|
|
isBlocked,
|
|
|
|
isMuted,
|
|
|
|
isRenoteMuted,
|
|
|
|
] = await Promise.all([
|
|
|
|
this.followingsRepository.findOneBy({
|
|
|
|
followerId: me,
|
|
|
|
followeeId: target,
|
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.followingsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
followerId: target,
|
|
|
|
followeeId: me,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.followRequestsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
followerId: me,
|
|
|
|
followeeId: target,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.followRequestsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
followerId: target,
|
|
|
|
followeeId: me,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.blockingsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
blockerId: me,
|
|
|
|
blockeeId: target,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.blockingsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
blockerId: target,
|
|
|
|
blockeeId: me,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.mutingsRepository.exists({
|
2022-05-29 08:15:52 +02:00
|
|
|
where: {
|
|
|
|
muterId: me,
|
|
|
|
muteeId: target,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
2024-02-08 08:04:41 +01:00
|
|
|
this.renoteMutingsRepository.exists({
|
2023-03-08 00:56:09 +01:00
|
|
|
where: {
|
|
|
|
muterId: me,
|
|
|
|
muteeId: target,
|
|
|
|
},
|
2023-10-06 09:28:21 +02:00
|
|
|
}),
|
|
|
|
]);
|
|
|
|
|
|
|
|
return {
|
|
|
|
id: target,
|
|
|
|
following,
|
|
|
|
isFollowing: following != null,
|
|
|
|
isFollowed,
|
|
|
|
hasPendingFollowRequestFromYou,
|
|
|
|
hasPendingFollowRequestToYou,
|
|
|
|
isBlocking,
|
|
|
|
isBlocked,
|
|
|
|
isMuted,
|
|
|
|
isRenoteMuted,
|
|
|
|
};
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2019-04-07 14:50:36 +02:00
|
|
|
|
2024-03-12 06:31:34 +01:00
|
|
|
@bindThis
|
|
|
|
public async getRelations(me: MiUser['id'], targets: MiUser['id'][]): Promise<Map<MiUser['id'], UserRelation>> {
|
|
|
|
const [
|
|
|
|
followers,
|
|
|
|
followees,
|
|
|
|
followersRequests,
|
|
|
|
followeesRequests,
|
|
|
|
blockers,
|
|
|
|
blockees,
|
|
|
|
muters,
|
|
|
|
renoteMuters,
|
|
|
|
] = await Promise.all([
|
|
|
|
this.followingsRepository.findBy({ followerId: me })
|
|
|
|
.then(f => new Map(f.map(it => [it.followeeId, it]))),
|
|
|
|
this.followingsRepository.findBy({ followeeId: me })
|
|
|
|
.then(it => it.map(it => it.followerId)),
|
|
|
|
this.followRequestsRepository.findBy({ followerId: me })
|
|
|
|
.then(it => it.map(it => it.followeeId)),
|
|
|
|
this.followRequestsRepository.findBy({ followeeId: me })
|
|
|
|
.then(it => it.map(it => it.followerId)),
|
|
|
|
this.blockingsRepository.findBy({ blockerId: me })
|
|
|
|
.then(it => it.map(it => it.blockeeId)),
|
|
|
|
this.blockingsRepository.findBy({ blockeeId: me })
|
|
|
|
.then(it => it.map(it => it.blockerId)),
|
|
|
|
this.mutingsRepository.findBy({ muterId: me })
|
|
|
|
.then(it => it.map(it => it.muteeId)),
|
|
|
|
this.renoteMutingsRepository.findBy({ muterId: me })
|
|
|
|
.then(it => it.map(it => it.muteeId)),
|
|
|
|
]);
|
|
|
|
|
|
|
|
return new Map(
|
|
|
|
targets.map(target => {
|
|
|
|
const following = followers.get(target) ?? null;
|
|
|
|
|
|
|
|
return [
|
|
|
|
target,
|
|
|
|
{
|
|
|
|
id: target,
|
|
|
|
following: following,
|
|
|
|
isFollowing: following != null,
|
|
|
|
isFollowed: followees.includes(target),
|
|
|
|
hasPendingFollowRequestFromYou: followersRequests.includes(target),
|
|
|
|
hasPendingFollowRequestToYou: followeesRequests.includes(target),
|
|
|
|
isBlocking: blockers.includes(target),
|
|
|
|
isBlocked: blockees.includes(target),
|
|
|
|
isMuted: muters.includes(target),
|
|
|
|
isRenoteMuted: renoteMuters.includes(target),
|
|
|
|
},
|
|
|
|
];
|
|
|
|
}),
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2023-08-16 10:51:28 +02:00
|
|
|
public async getHasUnreadAntenna(userId: MiUser['id']): Promise<boolean> {
|
2023-04-03 05:11:16 +02:00
|
|
|
/*
|
2022-09-17 20:27:08 +02:00
|
|
|
const myAntennas = (await this.antennaService.getAntennas()).filter(a => a.userId === userId);
|
2020-03-04 03:45:33 +01:00
|
|
|
|
2024-02-08 08:04:41 +01:00
|
|
|
const isUnread = (myAntennas.length > 0 ? await this.antennaNotesRepository.exists({
|
2023-07-11 07:58:58 +02:00
|
|
|
where: {
|
|
|
|
antennaId: In(myAntennas.map(x => x.id)),
|
|
|
|
read: false,
|
|
|
|
},
|
|
|
|
}) : false);
|
|
|
|
|
|
|
|
return isUnread;
|
2023-04-03 05:11:16 +02:00
|
|
|
*/
|
|
|
|
return false; // TODO
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2020-01-29 20:37:25 +01:00
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2023-11-01 05:34:05 +01:00
|
|
|
public async getNotificationsInfo(userId: MiUser['id']): Promise<{
|
|
|
|
hasUnread: boolean;
|
|
|
|
unreadCount: number;
|
|
|
|
}> {
|
|
|
|
const response = {
|
|
|
|
hasUnread: false,
|
|
|
|
unreadCount: 0,
|
|
|
|
};
|
|
|
|
|
2023-04-04 07:06:57 +02:00
|
|
|
const latestReadNotificationId = await this.redisClient.get(`latestReadNotification:${userId}`);
|
2023-04-08 07:16:26 +02:00
|
|
|
|
2023-11-01 05:34:05 +01:00
|
|
|
if (!latestReadNotificationId) {
|
|
|
|
response.unreadCount = await this.redisClient.xlen(`notificationTimeline:${userId}`);
|
|
|
|
} else {
|
|
|
|
const latestNotificationIdsRes = await this.redisClient.xrevrange(
|
|
|
|
`notificationTimeline:${userId}`,
|
|
|
|
'+',
|
|
|
|
latestReadNotificationId,
|
|
|
|
);
|
|
|
|
|
|
|
|
response.unreadCount = (latestNotificationIdsRes.length - 1 >= 0) ? latestNotificationIdsRes.length - 1 : 0;
|
|
|
|
}
|
2023-04-04 07:06:57 +02:00
|
|
|
|
2023-11-01 05:34:05 +01:00
|
|
|
if (response.unreadCount > 0) {
|
|
|
|
response.hasUnread = true;
|
|
|
|
}
|
2023-04-04 07:06:57 +02:00
|
|
|
|
2023-11-01 05:34:05 +01:00
|
|
|
return response;
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2020-01-29 20:37:25 +01:00
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2023-08-16 10:51:28 +02:00
|
|
|
public async getHasPendingReceivedFollowRequest(userId: MiUser['id']): Promise<boolean> {
|
2022-09-17 20:27:08 +02:00
|
|
|
const count = await this.followRequestsRepository.countBy({
|
2021-12-09 15:58:30 +01:00
|
|
|
followeeId: userId,
|
2020-02-15 01:10:49 +01:00
|
|
|
});
|
|
|
|
|
|
|
|
return count > 0;
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2020-02-15 01:10:49 +01:00
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2023-08-16 10:51:28 +02:00
|
|
|
public getOnlineStatus(user: MiUser): 'unknown' | 'online' | 'active' | 'offline' {
|
2021-04-19 17:15:53 +02:00
|
|
|
if (user.hideOnlineStatus) return 'unknown';
|
2021-04-17 08:30:26 +02:00
|
|
|
if (user.lastActiveDate == null) return 'unknown';
|
|
|
|
const elapsed = Date.now() - user.lastActiveDate.getTime();
|
|
|
|
return (
|
|
|
|
elapsed < USER_ONLINE_THRESHOLD ? 'online' :
|
|
|
|
elapsed < USER_ACTIVE_THRESHOLD ? 'active' :
|
|
|
|
'offline'
|
|
|
|
);
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2021-04-17 08:30:26 +02:00
|
|
|
|
2022-12-04 07:03:09 +01:00
|
|
|
@bindThis
|
2023-08-16 10:51:28 +02:00
|
|
|
public getIdenticonUrl(user: MiUser): string {
|
2023-03-05 03:11:36 +01:00
|
|
|
return `${this.config.url}/identicon/${user.username.toLowerCase()}@${user.host ?? this.config.host}`;
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2022-02-27 05:59:10 +01:00
|
|
|
|
enhance: account migration (#10592)
* copy block and mute then create follow and unfollow jobs
* copy block and mute and update lists when detecting an account has moved
* no need to care promise orders
* refactor updating actor and target
* automatically accept if a locked account had accepted an old account
* fix exception format
* prevent the old account from calling some endpoints
* do not unfollow when moving
* adjust following and follower counts
* check movedToUri when receiving a follow request
* skip if no need to adjust
* Revert "disable account migration"
This reverts commit 2321214c98591bcfe1385c1ab5bf0ff7b471ae1d.
* fix translation specifier
* fix checking alsoKnownAs and uri
* fix updating account
* fix refollowing locked account
* decrease followersCount if followed by the old account
* adjust following and followers counts when unfollowing
* fix copying mutings
* prohibit moved account from moving again
* fix move service
* allow app creation after moving
* fix lint
* remove unnecessary field
* fix cache update
* add e2e test
* add e2e test of accepting the new account automatically
* force follow if any error happens
* remove unnecessary joins
* use Array.map instead of for const of
* ユーザーリストの移行は追加のみを行う
* nanka iroiro
* fix misskey-js?
* :v:
* 移行を行ったアカウントからのフォローリクエストの自動許可を調整
* newUriを外に出す
* newUriを外に出す2
* clean up
* fix newUri
* prevent moving if the destination account has already moved
* set alsoKnownAs via /i/update
* fix database initialization
* add return type
* prohibit updating alsoKnownAs after moving
* skip to add to alsoKnownAs if toUrl is known
* skip adding to the list if it already has
* use Acct.parse instead
* rename error code
* :art:
* 制限を5から10に緩和
* movedTo(Uri), alsoKnownAsはユーザーidを返すように
* test api res
* fix
* 元アカウントはミュートし続ける
* :art:
* unfollow
* fix
* getUserUriをUserEntityServiceに
* ?
* job!
* :art:
* instance => server
* accountMovedShort, forbiddenBecauseYouAreMigrated
* accountMovedShort
* fix test
* import, pin禁止
* 実績を凍結する
* clean up
* :v:
* change message
* ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに
* Revert "ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに"
This reverts commit 3bd7be35d8aa455cb01ae58f8172a71a50485db1.
* validateAlsoKnownAs
* 移行後2時間以内はインポート可能なファイルサイズを拡大
* clean up
* どうせactorをupdatePersonで更新するならupdatePersonしか移行処理を発行しないことにする
* handle error?
* リモートからの移行処理の条件を是正
* log, port
* fix
* fix
* enhance(dev): non-production環境でhttpサーバー間でもユーザー、ノートの連合が可能なように
* refactor (use checkHttps)
* MISSKEY_WEBFINGER_USE_HTTP
* Environment Variable readme
* NEVER USE IN PRODUCTION
* fix punyHost
* fix indent
* fix
* experimental
---------
Co-authored-by: tamaina <tamaina@hotmail.co.jp>
Co-authored-by: syuilo <Syuilotan@yahoo.co.jp>
2023-04-29 17:09:29 +02:00
|
|
|
@bindThis
|
2023-08-16 10:51:28 +02:00
|
|
|
public getUserUri(user: MiLocalUser | MiPartialLocalUser | MiRemoteUser | MiPartialRemoteUser): string {
|
enhance: account migration (#10592)
* copy block and mute then create follow and unfollow jobs
* copy block and mute and update lists when detecting an account has moved
* no need to care promise orders
* refactor updating actor and target
* automatically accept if a locked account had accepted an old account
* fix exception format
* prevent the old account from calling some endpoints
* do not unfollow when moving
* adjust following and follower counts
* check movedToUri when receiving a follow request
* skip if no need to adjust
* Revert "disable account migration"
This reverts commit 2321214c98591bcfe1385c1ab5bf0ff7b471ae1d.
* fix translation specifier
* fix checking alsoKnownAs and uri
* fix updating account
* fix refollowing locked account
* decrease followersCount if followed by the old account
* adjust following and followers counts when unfollowing
* fix copying mutings
* prohibit moved account from moving again
* fix move service
* allow app creation after moving
* fix lint
* remove unnecessary field
* fix cache update
* add e2e test
* add e2e test of accepting the new account automatically
* force follow if any error happens
* remove unnecessary joins
* use Array.map instead of for const of
* ユーザーリストの移行は追加のみを行う
* nanka iroiro
* fix misskey-js?
* :v:
* 移行を行ったアカウントからのフォローリクエストの自動許可を調整
* newUriを外に出す
* newUriを外に出す2
* clean up
* fix newUri
* prevent moving if the destination account has already moved
* set alsoKnownAs via /i/update
* fix database initialization
* add return type
* prohibit updating alsoKnownAs after moving
* skip to add to alsoKnownAs if toUrl is known
* skip adding to the list if it already has
* use Acct.parse instead
* rename error code
* :art:
* 制限を5から10に緩和
* movedTo(Uri), alsoKnownAsはユーザーidを返すように
* test api res
* fix
* 元アカウントはミュートし続ける
* :art:
* unfollow
* fix
* getUserUriをUserEntityServiceに
* ?
* job!
* :art:
* instance => server
* accountMovedShort, forbiddenBecauseYouAreMigrated
* accountMovedShort
* fix test
* import, pin禁止
* 実績を凍結する
* clean up
* :v:
* change message
* ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに
* Revert "ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに"
This reverts commit 3bd7be35d8aa455cb01ae58f8172a71a50485db1.
* validateAlsoKnownAs
* 移行後2時間以内はインポート可能なファイルサイズを拡大
* clean up
* どうせactorをupdatePersonで更新するならupdatePersonしか移行処理を発行しないことにする
* handle error?
* リモートからの移行処理の条件を是正
* log, port
* fix
* fix
* enhance(dev): non-production環境でhttpサーバー間でもユーザー、ノートの連合が可能なように
* refactor (use checkHttps)
* MISSKEY_WEBFINGER_USE_HTTP
* Environment Variable readme
* NEVER USE IN PRODUCTION
* fix punyHost
* fix indent
* fix
* experimental
---------
Co-authored-by: tamaina <tamaina@hotmail.co.jp>
Co-authored-by: syuilo <Syuilotan@yahoo.co.jp>
2023-04-29 17:09:29 +02:00
|
|
|
return this.isRemoteUser(user)
|
|
|
|
? user.uri : this.genLocalUserUri(user.id);
|
|
|
|
}
|
|
|
|
|
|
|
|
@bindThis
|
|
|
|
public genLocalUserUri(userId: string): string {
|
|
|
|
return `${this.config.url}/users/${userId}`;
|
|
|
|
}
|
|
|
|
|
2024-01-31 07:45:35 +01:00
|
|
|
public async pack<S extends 'MeDetailed' | 'UserDetailedNotMe' | 'UserDetailed' | 'UserLite' = 'UserLite'>(
|
2023-08-16 10:51:28 +02:00
|
|
|
src: MiUser['id'] | MiUser,
|
|
|
|
me?: { id: MiUser['id']; } | null | undefined,
|
2019-04-07 14:50:36 +02:00
|
|
|
options?: {
|
2024-01-31 07:45:35 +01:00
|
|
|
schema?: S,
|
2019-04-07 14:50:36 +02:00
|
|
|
includeSecrets?: boolean,
|
2023-08-16 10:51:28 +02:00
|
|
|
userProfile?: MiUserProfile,
|
2024-03-12 06:31:34 +01:00
|
|
|
userRelations?: Map<MiUser['id'], UserRelation>,
|
|
|
|
userMemos?: Map<MiUser['id'], string | null>,
|
|
|
|
pinNotes?: Map<MiUser['id'], MiUserNotePining[]>,
|
2022-04-17 14:18:18 +02:00
|
|
|
},
|
2024-01-31 07:45:35 +01:00
|
|
|
): Promise<Packed<S>> {
|
2019-04-07 14:50:36 +02:00
|
|
|
const opts = Object.assign({
|
2024-01-31 07:45:35 +01:00
|
|
|
schema: 'UserLite',
|
2021-12-09 15:58:30 +01:00
|
|
|
includeSecrets: false,
|
2019-04-07 14:50:36 +02:00
|
|
|
}, options);
|
|
|
|
|
2023-04-06 12:48:24 +02:00
|
|
|
const user = typeof src === 'object' ? src : await this.usersRepository.findOneByOrFail({ id: src });
|
|
|
|
|
2023-05-09 08:28:44 +02:00
|
|
|
// migration
|
|
|
|
if (user.avatarId != null && user.avatarUrl === null) {
|
|
|
|
const avatar = await this.driveFilesRepository.findOneByOrFail({ id: user.avatarId });
|
|
|
|
user.avatarUrl = this.driveFileEntityService.getPublicUrl(avatar, 'avatar');
|
|
|
|
this.usersRepository.update(user.id, {
|
|
|
|
avatarUrl: user.avatarUrl,
|
|
|
|
avatarBlurhash: avatar.blurhash,
|
|
|
|
});
|
|
|
|
}
|
|
|
|
if (user.bannerId != null && user.bannerUrl === null) {
|
|
|
|
const banner = await this.driveFilesRepository.findOneByOrFail({ id: user.bannerId });
|
|
|
|
user.bannerUrl = this.driveFileEntityService.getPublicUrl(banner);
|
|
|
|
this.usersRepository.update(user.id, {
|
|
|
|
bannerUrl: user.bannerUrl,
|
|
|
|
bannerBlurhash: banner.blurhash,
|
|
|
|
});
|
|
|
|
}
|
2023-10-06 02:32:09 +02:00
|
|
|
if (user.backgroundId != null && user.backgroundUrl === null) {
|
|
|
|
const background = await this.driveFilesRepository.findOneByOrFail({ id: user.backgroundId });
|
|
|
|
user.backgroundUrl = this.driveFileEntityService.getPublicUrl(background);
|
|
|
|
this.usersRepository.update(user.id, {
|
|
|
|
backgroundUrl: user.backgroundUrl,
|
|
|
|
backgroundBlurhash: background.blurhash,
|
|
|
|
});
|
|
|
|
}
|
2023-05-09 08:28:44 +02:00
|
|
|
|
2024-01-31 07:45:35 +01:00
|
|
|
const isDetailed = opts.schema !== 'UserLite';
|
2021-03-24 03:05:37 +01:00
|
|
|
const meId = me ? me.id : null;
|
2022-01-18 14:27:10 +01:00
|
|
|
const isMe = meId === user.id;
|
2023-08-16 10:51:28 +02:00
|
|
|
const iAmModerator = me ? await this.roleService.isModerator(me as MiUser) : false;
|
2019-04-07 14:50:36 +02:00
|
|
|
|
2024-03-12 06:31:34 +01:00
|
|
|
const profile = isDetailed
|
|
|
|
? (opts.userProfile ?? await this.userProfilesRepository.findOneByOrFail({ userId: user.id }))
|
|
|
|
: null;
|
|
|
|
|
|
|
|
let relation: UserRelation | null = null;
|
|
|
|
if (meId && !isMe && isDetailed) {
|
|
|
|
if (opts.userRelations) {
|
|
|
|
relation = opts.userRelations.get(user.id) ?? null;
|
|
|
|
} else {
|
|
|
|
relation = await this.getRelation(meId, user.id);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
let memo: string | null = null;
|
|
|
|
if (isDetailed && meId) {
|
|
|
|
if (opts.userMemos) {
|
|
|
|
memo = opts.userMemos.get(user.id) ?? null;
|
|
|
|
} else {
|
|
|
|
memo = await this.userMemosRepository.findOneBy({ userId: meId, targetUserId: user.id })
|
|
|
|
.then(row => row?.memo ?? null);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
let pins: MiUserNotePining[] = [];
|
|
|
|
if (isDetailed) {
|
|
|
|
if (opts.pinNotes) {
|
|
|
|
pins = opts.pinNotes.get(user.id) ?? [];
|
|
|
|
} else {
|
|
|
|
pins = await this.userNotePiningsRepository.createQueryBuilder('pin')
|
|
|
|
.where('pin.userId = :userId', { userId: user.id })
|
|
|
|
.innerJoinAndSelect('pin.note', 'note')
|
|
|
|
.orderBy('pin.id', 'DESC')
|
|
|
|
.getMany();
|
|
|
|
}
|
|
|
|
}
|
2019-04-07 14:50:36 +02:00
|
|
|
|
2024-02-03 20:19:44 +01:00
|
|
|
const mastoapi = !isDetailed ? opts.userProfile ?? await this.userProfilesRepository.findOneByOrFail({ userId: user.id }) : null;
|
2023-09-25 21:27:39 +02:00
|
|
|
|
2021-11-07 10:04:32 +01:00
|
|
|
const followingCount = profile == null ? null :
|
2023-12-18 12:59:20 +01:00
|
|
|
(profile.followingVisibility === 'public') || isMe ? user.followingCount :
|
|
|
|
(profile.followingVisibility === 'followers') && (relation && relation.isFollowing) ? user.followingCount :
|
2021-11-07 10:04:32 +01:00
|
|
|
null;
|
|
|
|
|
|
|
|
const followersCount = profile == null ? null :
|
2023-12-18 12:59:20 +01:00
|
|
|
(profile.followersVisibility === 'public') || isMe ? user.followersCount :
|
|
|
|
(profile.followersVisibility === 'followers') && (relation && relation.isFollowing) ? user.followersCount :
|
2021-11-07 10:04:32 +01:00
|
|
|
null;
|
|
|
|
|
2024-01-31 07:45:35 +01:00
|
|
|
const isModerator = isMe && isDetailed ? this.roleService.isModerator(user) : null;
|
|
|
|
const isAdmin = isMe && isDetailed ? this.roleService.isAdministrator(user) : null;
|
|
|
|
const unreadAnnouncements = isMe && isDetailed ?
|
2023-10-21 00:53:57 +02:00
|
|
|
(await this.announcementService.getUnreadAnnouncements(user)).map((announcement) => ({
|
|
|
|
createdAt: this.idService.parse(announcement.id).date.toISOString(),
|
|
|
|
...announcement,
|
|
|
|
})) : null;
|
2019-04-16 19:51:12 +02:00
|
|
|
|
2023-09-26 13:25:55 +02:00
|
|
|
const checkHost = user.host == null ? this.config.host : user.host;
|
2024-01-31 07:45:35 +01:00
|
|
|
const notificationsInfo = isMe && isDetailed ? await this.getNotificationsInfo(user.id) : null;
|
2023-09-26 13:25:55 +02:00
|
|
|
|
2019-04-23 15:35:26 +02:00
|
|
|
const packed = {
|
2019-04-07 14:50:36 +02:00
|
|
|
id: user.id,
|
|
|
|
name: user.name,
|
|
|
|
username: user.username,
|
|
|
|
host: user.host,
|
2023-04-06 12:48:24 +02:00
|
|
|
avatarUrl: user.avatarUrl ?? this.getIdenticonUrl(user),
|
|
|
|
avatarBlurhash: user.avatarBlurhash,
|
2023-09-25 21:45:09 +02:00
|
|
|
description: mastoapi ? mastoapi.description : profile ? profile.description : '',
|
2023-10-16 23:38:21 +02:00
|
|
|
createdAt: this.idService.parse(user.id).date.toISOString(),
|
2023-10-22 06:02:24 +02:00
|
|
|
avatarDecorations: user.avatarDecorations.length > 0 ? this.avatarDecorationService.getAll().then(decorations => user.avatarDecorations.filter(ud => decorations.some(d => d.id === ud.id)).map(ud => ({
|
|
|
|
id: ud.id,
|
|
|
|
angle: ud.angle || undefined,
|
|
|
|
flipH: ud.flipH || undefined,
|
2023-12-14 12:58:08 +01:00
|
|
|
offsetX: ud.offsetX || undefined,
|
|
|
|
offsetY: ud.offsetY || undefined,
|
2023-10-22 06:02:24 +02:00
|
|
|
url: decorations.find(d => d.id === ud.id)!.url,
|
2023-10-21 11:38:07 +02:00
|
|
|
}))) : [],
|
2023-10-18 02:54:18 +02:00
|
|
|
isBot: user.isBot,
|
|
|
|
isCat: user.isCat,
|
2023-11-17 15:05:58 +01:00
|
|
|
noindex: user.noindex,
|
2023-10-18 13:34:16 +02:00
|
|
|
isSilenced: user.isSilenced || this.roleService.getUserPolicies(user.id).then(r => !r.canPublicNote),
|
2023-10-31 19:33:24 +01:00
|
|
|
speakAsCat: user.speakAsCat ?? false,
|
2023-10-18 23:50:43 +02:00
|
|
|
approved: user.approved,
|
2023-04-07 11:48:45 +02:00
|
|
|
instance: user.host ? this.federatedInstanceService.federatedInstanceCache.fetch(user.host).then(instance => instance ? {
|
2020-10-27 08:16:59 +01:00
|
|
|
name: instance.name,
|
|
|
|
softwareName: instance.softwareName,
|
|
|
|
softwareVersion: instance.softwareVersion,
|
|
|
|
iconUrl: instance.iconUrl,
|
|
|
|
faviconUrl: instance.faviconUrl,
|
|
|
|
themeColor: instance.themeColor,
|
|
|
|
} : undefined) : undefined,
|
2023-09-25 05:33:25 +02:00
|
|
|
followersCount: followersCount ?? 0,
|
|
|
|
followingCount: followingCount ?? 0,
|
|
|
|
notesCount: user.notesCount,
|
2023-09-26 13:25:55 +02:00
|
|
|
emojis: this.customEmojiService.populateEmojis(user.emojis, checkHost),
|
2021-04-17 08:30:26 +02:00
|
|
|
onlineStatus: this.getOnlineStatus(user),
|
2023-02-05 02:37:03 +01:00
|
|
|
// パフォーマンス上の理由でローカルユーザーのみ
|
2023-03-12 08:38:08 +01:00
|
|
|
badgeRoles: user.host == null ? this.roleService.getUserBadgeRoles(user.id).then(rs => rs.sort((a, b) => b.displayOrder - a.displayOrder).map(r => ({
|
2023-02-05 02:37:03 +01:00
|
|
|
name: r.name,
|
|
|
|
iconUrl: r.iconUrl,
|
2023-03-12 08:38:08 +01:00
|
|
|
displayOrder: r.displayOrder,
|
2023-02-05 02:37:03 +01:00
|
|
|
}))) : undefined,
|
2019-04-07 14:50:36 +02:00
|
|
|
|
2024-01-31 07:45:35 +01:00
|
|
|
...(isDetailed ? {
|
2019-04-12 18:43:22 +02:00
|
|
|
url: profile!.url,
|
2021-04-16 10:34:06 +02:00
|
|
|
uri: user.uri,
|
enhance: account migration (#10592)
* copy block and mute then create follow and unfollow jobs
* copy block and mute and update lists when detecting an account has moved
* no need to care promise orders
* refactor updating actor and target
* automatically accept if a locked account had accepted an old account
* fix exception format
* prevent the old account from calling some endpoints
* do not unfollow when moving
* adjust following and follower counts
* check movedToUri when receiving a follow request
* skip if no need to adjust
* Revert "disable account migration"
This reverts commit 2321214c98591bcfe1385c1ab5bf0ff7b471ae1d.
* fix translation specifier
* fix checking alsoKnownAs and uri
* fix updating account
* fix refollowing locked account
* decrease followersCount if followed by the old account
* adjust following and followers counts when unfollowing
* fix copying mutings
* prohibit moved account from moving again
* fix move service
* allow app creation after moving
* fix lint
* remove unnecessary field
* fix cache update
* add e2e test
* add e2e test of accepting the new account automatically
* force follow if any error happens
* remove unnecessary joins
* use Array.map instead of for const of
* ユーザーリストの移行は追加のみを行う
* nanka iroiro
* fix misskey-js?
* :v:
* 移行を行ったアカウントからのフォローリクエストの自動許可を調整
* newUriを外に出す
* newUriを外に出す2
* clean up
* fix newUri
* prevent moving if the destination account has already moved
* set alsoKnownAs via /i/update
* fix database initialization
* add return type
* prohibit updating alsoKnownAs after moving
* skip to add to alsoKnownAs if toUrl is known
* skip adding to the list if it already has
* use Acct.parse instead
* rename error code
* :art:
* 制限を5から10に緩和
* movedTo(Uri), alsoKnownAsはユーザーidを返すように
* test api res
* fix
* 元アカウントはミュートし続ける
* :art:
* unfollow
* fix
* getUserUriをUserEntityServiceに
* ?
* job!
* :art:
* instance => server
* accountMovedShort, forbiddenBecauseYouAreMigrated
* accountMovedShort
* fix test
* import, pin禁止
* 実績を凍結する
* clean up
* :v:
* change message
* ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに
* Revert "ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに"
This reverts commit 3bd7be35d8aa455cb01ae58f8172a71a50485db1.
* validateAlsoKnownAs
* 移行後2時間以内はインポート可能なファイルサイズを拡大
* clean up
* どうせactorをupdatePersonで更新するならupdatePersonしか移行処理を発行しないことにする
* handle error?
* リモートからの移行処理の条件を是正
* log, port
* fix
* fix
* enhance(dev): non-production環境でhttpサーバー間でもユーザー、ノートの連合が可能なように
* refactor (use checkHttps)
* MISSKEY_WEBFINGER_USE_HTTP
* Environment Variable readme
* NEVER USE IN PRODUCTION
* fix punyHost
* fix indent
* fix
* experimental
---------
Co-authored-by: tamaina <tamaina@hotmail.co.jp>
Co-authored-by: syuilo <Syuilotan@yahoo.co.jp>
2023-04-29 17:09:29 +02:00
|
|
|
movedTo: user.movedToUri ? this.apPersonService.resolvePerson(user.movedToUri).then(user => user.id).catch(() => null) : null,
|
|
|
|
alsoKnownAs: user.alsoKnownAs
|
|
|
|
? Promise.all(user.alsoKnownAs.map(uri => this.apPersonService.fetchPerson(uri).then(user => user?.id).catch(() => null)))
|
2024-02-23 06:12:57 +01:00
|
|
|
.then(xs => xs.length === 0 ? null : xs.filter(isNotNull))
|
enhance: account migration (#10592)
* copy block and mute then create follow and unfollow jobs
* copy block and mute and update lists when detecting an account has moved
* no need to care promise orders
* refactor updating actor and target
* automatically accept if a locked account had accepted an old account
* fix exception format
* prevent the old account from calling some endpoints
* do not unfollow when moving
* adjust following and follower counts
* check movedToUri when receiving a follow request
* skip if no need to adjust
* Revert "disable account migration"
This reverts commit 2321214c98591bcfe1385c1ab5bf0ff7b471ae1d.
* fix translation specifier
* fix checking alsoKnownAs and uri
* fix updating account
* fix refollowing locked account
* decrease followersCount if followed by the old account
* adjust following and followers counts when unfollowing
* fix copying mutings
* prohibit moved account from moving again
* fix move service
* allow app creation after moving
* fix lint
* remove unnecessary field
* fix cache update
* add e2e test
* add e2e test of accepting the new account automatically
* force follow if any error happens
* remove unnecessary joins
* use Array.map instead of for const of
* ユーザーリストの移行は追加のみを行う
* nanka iroiro
* fix misskey-js?
* :v:
* 移行を行ったアカウントからのフォローリクエストの自動許可を調整
* newUriを外に出す
* newUriを外に出す2
* clean up
* fix newUri
* prevent moving if the destination account has already moved
* set alsoKnownAs via /i/update
* fix database initialization
* add return type
* prohibit updating alsoKnownAs after moving
* skip to add to alsoKnownAs if toUrl is known
* skip adding to the list if it already has
* use Acct.parse instead
* rename error code
* :art:
* 制限を5から10に緩和
* movedTo(Uri), alsoKnownAsはユーザーidを返すように
* test api res
* fix
* 元アカウントはミュートし続ける
* :art:
* unfollow
* fix
* getUserUriをUserEntityServiceに
* ?
* job!
* :art:
* instance => server
* accountMovedShort, forbiddenBecauseYouAreMigrated
* accountMovedShort
* fix test
* import, pin禁止
* 実績を凍結する
* clean up
* :v:
* change message
* ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに
* Revert "ブロック, フォロー, ミュート, リストのインポートファイルの制限を32MiBに"
This reverts commit 3bd7be35d8aa455cb01ae58f8172a71a50485db1.
* validateAlsoKnownAs
* 移行後2時間以内はインポート可能なファイルサイズを拡大
* clean up
* どうせactorをupdatePersonで更新するならupdatePersonしか移行処理を発行しないことにする
* handle error?
* リモートからの移行処理の条件を是正
* log, port
* fix
* fix
* enhance(dev): non-production環境でhttpサーバー間でもユーザー、ノートの連合が可能なように
* refactor (use checkHttps)
* MISSKEY_WEBFINGER_USE_HTTP
* Environment Variable readme
* NEVER USE IN PRODUCTION
* fix punyHost
* fix indent
* fix
* experimental
---------
Co-authored-by: tamaina <tamaina@hotmail.co.jp>
Co-authored-by: syuilo <Syuilotan@yahoo.co.jp>
2023-04-29 17:09:29 +02:00
|
|
|
: null,
|
2019-04-23 15:35:26 +02:00
|
|
|
updatedAt: user.updatedAt ? user.updatedAt.toISOString() : null,
|
2022-01-18 14:27:10 +01:00
|
|
|
lastFetchedAt: user.lastFetchedAt ? user.lastFetchedAt.toISOString() : null,
|
2023-04-06 12:48:24 +02:00
|
|
|
bannerUrl: user.bannerUrl,
|
|
|
|
bannerBlurhash: user.bannerBlurhash,
|
2023-10-06 02:32:09 +02:00
|
|
|
backgroundUrl: user.backgroundUrl,
|
|
|
|
backgroundBlurhash: user.backgroundBlurhash,
|
2019-04-14 04:58:10 +02:00
|
|
|
isLocked: user.isLocked,
|
2023-10-18 02:54:18 +02:00
|
|
|
isSuspended: user.isSuspended,
|
2019-04-12 18:43:22 +02:00
|
|
|
location: profile!.location,
|
|
|
|
birthday: profile!.birthday,
|
2023-09-22 03:31:59 +02:00
|
|
|
listenbrainz: profile!.listenbrainz,
|
2021-02-13 04:28:26 +01:00
|
|
|
lang: profile!.lang,
|
2019-07-17 17:11:39 +02:00
|
|
|
fields: profile!.fields,
|
2023-09-21 04:58:51 +02:00
|
|
|
verifiedLinks: profile!.verifiedLinks,
|
2019-04-07 14:50:36 +02:00
|
|
|
pinnedNoteIds: pins.map(pin => pin.noteId),
|
2022-09-17 20:27:08 +02:00
|
|
|
pinnedNotes: this.noteEntityService.packMany(pins.map(pin => pin.note!), me, {
|
2021-12-09 15:58:30 +01:00
|
|
|
detail: true,
|
2019-04-07 14:50:36 +02:00
|
|
|
}),
|
2019-07-06 23:56:13 +02:00
|
|
|
pinnedPageId: profile!.pinnedPageId,
|
2022-09-17 20:27:08 +02:00
|
|
|
pinnedPage: profile!.pinnedPageId ? this.pageEntityService.pack(profile!.pinnedPageId, me) : null,
|
2024-02-01 12:05:45 +01:00
|
|
|
publicReactions: this.isLocalUser(user) ? profile!.publicReactions : false, // https://github.com/misskey-dev/misskey/issues/12964
|
2023-12-18 12:59:20 +01:00
|
|
|
followersVisibility: profile!.followersVisibility,
|
|
|
|
followingVisibility: profile!.followingVisibility,
|
2019-05-03 11:55:24 +02:00
|
|
|
twoFactorEnabled: profile!.twoFactorEnabled,
|
2019-07-06 18:38:36 +02:00
|
|
|
usePasswordLessLogin: profile!.usePasswordLessLogin,
|
2019-07-03 13:18:07 +02:00
|
|
|
securityKeys: profile!.twoFactorEnabled
|
2024-03-12 06:31:34 +01:00
|
|
|
? this.userSecurityKeysRepository.countBy({ userId: user.id }).then(result => result >= 1)
|
2019-07-03 13:18:07 +02:00
|
|
|
: false,
|
2023-03-12 08:38:08 +01:00
|
|
|
roles: this.roleService.getUserRoles(user.id).then(roles => roles.filter(role => role.isPublic).sort((a, b) => b.displayOrder - a.displayOrder).map(role => ({
|
2023-01-13 04:07:24 +01:00
|
|
|
id: role.id,
|
|
|
|
name: role.name,
|
|
|
|
color: role.color,
|
2023-02-05 02:37:03 +01:00
|
|
|
iconUrl: role.iconUrl,
|
2023-01-13 04:07:24 +01:00
|
|
|
description: role.description,
|
|
|
|
isModerator: role.isModerator,
|
|
|
|
isAdministrator: role.isAdministrator,
|
2023-03-12 08:38:08 +01:00
|
|
|
displayOrder: role.displayOrder,
|
2023-01-13 04:07:24 +01:00
|
|
|
}))),
|
2024-03-12 06:31:34 +01:00
|
|
|
memo: memo,
|
2023-05-07 05:04:16 +02:00
|
|
|
moderationNote: iAmModerator ? (profile!.moderationNote ?? '') : undefined,
|
2019-04-07 14:50:36 +02:00
|
|
|
} : {}),
|
|
|
|
|
2024-01-31 07:45:35 +01:00
|
|
|
...(isDetailed && isMe ? {
|
2019-04-07 14:50:36 +02:00
|
|
|
avatarId: user.avatarId,
|
|
|
|
bannerId: user.bannerId,
|
2023-10-06 02:32:09 +02:00
|
|
|
backgroundId: user.backgroundId,
|
2023-01-12 13:02:26 +01:00
|
|
|
isModerator: isModerator,
|
|
|
|
isAdmin: isAdmin,
|
2020-02-18 11:05:11 +01:00
|
|
|
injectFeaturedNote: profile!.injectFeaturedNote,
|
2021-02-06 14:47:15 +01:00
|
|
|
receiveAnnouncementEmail: profile!.receiveAnnouncementEmail,
|
2019-04-12 18:43:22 +02:00
|
|
|
alwaysMarkNsfw: profile!.alwaysMarkNsfw,
|
2022-07-07 14:06:37 +02:00
|
|
|
autoSensitive: profile!.autoSensitive,
|
2019-04-12 18:43:22 +02:00
|
|
|
carefulBot: profile!.carefulBot,
|
2019-05-27 01:41:24 +02:00
|
|
|
autoAcceptFollowed: profile!.autoAcceptFollowed,
|
2020-11-25 13:31:34 +01:00
|
|
|
noCrawle: profile!.noCrawle,
|
2023-05-11 09:22:46 +02:00
|
|
|
preventAiLearning: profile!.preventAiLearning,
|
2020-12-11 13:16:20 +01:00
|
|
|
isExplorable: user.isExplorable,
|
2021-08-21 05:41:56 +02:00
|
|
|
isDeleted: user.isDeleted,
|
2023-08-28 11:25:31 +02:00
|
|
|
twoFactorBackupCodesStock: profile?.twoFactorBackupSecret?.length === 5 ? 'full' : (profile?.twoFactorBackupSecret?.length ?? 0) > 0 ? 'partial' : 'none',
|
2021-04-17 08:30:26 +02:00
|
|
|
hideOnlineStatus: user.hideOnlineStatus,
|
2022-09-17 20:27:08 +02:00
|
|
|
hasUnreadSpecifiedNotes: this.noteUnreadsRepository.count({
|
2020-08-18 15:44:21 +02:00
|
|
|
where: { userId: user.id, isSpecified: true },
|
2021-12-09 15:58:30 +01:00
|
|
|
take: 1,
|
2020-08-18 15:44:21 +02:00
|
|
|
}).then(count => count > 0),
|
2022-09-17 20:27:08 +02:00
|
|
|
hasUnreadMentions: this.noteUnreadsRepository.count({
|
2020-08-18 15:44:21 +02:00
|
|
|
where: { userId: user.id, isMentioned: true },
|
2021-12-09 15:58:30 +01:00
|
|
|
take: 1,
|
2020-08-18 15:44:21 +02:00
|
|
|
}).then(count => count > 0),
|
2023-08-13 13:12:29 +02:00
|
|
|
hasUnreadAnnouncement: unreadAnnouncements!.length > 0,
|
|
|
|
unreadAnnouncements,
|
2020-01-29 20:37:25 +01:00
|
|
|
hasUnreadAntenna: this.getHasUnreadAntenna(user.id),
|
2023-04-05 00:52:49 +02:00
|
|
|
hasUnreadChannel: false, // 後方互換性のため
|
2023-11-01 05:34:05 +01:00
|
|
|
hasUnreadNotification: notificationsInfo?.hasUnread, // 後方互換性のため
|
2020-02-15 01:10:49 +01:00
|
|
|
hasPendingReceivedFollowRequest: this.getHasPendingReceivedFollowRequest(user.id),
|
2023-11-01 05:34:05 +01:00
|
|
|
unreadNotificationsCount: notificationsInfo?.unreadCount,
|
2020-07-27 06:34:20 +02:00
|
|
|
mutedWords: profile!.mutedWords,
|
2023-11-23 10:56:20 +01:00
|
|
|
hardMutedWords: profile!.hardMutedWords,
|
2021-12-09 13:38:56 +01:00
|
|
|
mutedInstances: profile!.mutedInstances,
|
2023-09-30 01:12:25 +02:00
|
|
|
mutingNotificationTypes: [], // 後方互換性のため
|
2023-09-29 04:29:54 +02:00
|
|
|
notificationRecieveConfig: profile!.notificationRecieveConfig,
|
2021-02-13 04:28:26 +01:00
|
|
|
emailNotificationTypes: profile!.emailNotificationTypes,
|
2023-01-21 05:14:55 +01:00
|
|
|
achievements: profile!.achievements,
|
|
|
|
loggedInDays: profile!.loggedInDates.length,
|
2023-01-25 11:34:10 +01:00
|
|
|
policies: this.roleService.getUserPolicies(user.id),
|
2019-04-07 14:50:36 +02:00
|
|
|
} : {}),
|
|
|
|
|
2019-04-10 11:10:09 +02:00
|
|
|
...(opts.includeSecrets ? {
|
2019-04-12 18:43:22 +02:00
|
|
|
email: profile!.email,
|
|
|
|
emailVerified: profile!.emailVerified,
|
2023-10-18 02:41:36 +02:00
|
|
|
signupReason: user.signupReason,
|
2019-07-03 13:18:07 +02:00
|
|
|
securityKeysList: profile!.twoFactorEnabled
|
2022-09-17 20:27:08 +02:00
|
|
|
? this.userSecurityKeysRepository.find({
|
2019-07-03 13:18:07 +02:00
|
|
|
where: {
|
2021-12-09 15:58:30 +01:00
|
|
|
userId: user.id,
|
2019-07-03 13:18:07 +02:00
|
|
|
},
|
2022-03-26 07:34:00 +01:00
|
|
|
select: {
|
|
|
|
id: true,
|
|
|
|
name: true,
|
|
|
|
lastUsed: true,
|
|
|
|
},
|
2019-07-03 13:18:07 +02:00
|
|
|
})
|
2021-12-09 15:58:30 +01:00
|
|
|
: [],
|
2019-04-10 11:10:09 +02:00
|
|
|
} : {}),
|
|
|
|
|
2019-04-07 14:50:36 +02:00
|
|
|
...(relation ? {
|
|
|
|
isFollowing: relation.isFollowing,
|
|
|
|
isFollowed: relation.isFollowed,
|
|
|
|
hasPendingFollowRequestFromYou: relation.hasPendingFollowRequestFromYou,
|
|
|
|
hasPendingFollowRequestToYou: relation.hasPendingFollowRequestToYou,
|
|
|
|
isBlocking: relation.isBlocking,
|
|
|
|
isBlocked: relation.isBlocked,
|
|
|
|
isMuted: relation.isMuted,
|
2023-03-08 00:56:09 +01:00
|
|
|
isRenoteMuted: relation.isRenoteMuted,
|
2023-09-21 11:48:15 +02:00
|
|
|
notify: relation.following?.notify ?? 'none',
|
2023-10-03 13:26:11 +02:00
|
|
|
withReplies: relation.following?.withReplies ?? false,
|
2021-12-09 15:58:30 +01:00
|
|
|
} : {}),
|
2024-01-31 07:45:35 +01:00
|
|
|
} as Promiseable<Packed<S>>;
|
2019-04-23 15:35:26 +02:00
|
|
|
|
|
|
|
return await awaitAll(packed);
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
2019-04-07 14:50:36 +02:00
|
|
|
|
2024-03-12 06:31:34 +01:00
|
|
|
public async packMany<S extends 'MeDetailed' | 'UserDetailedNotMe' | 'UserDetailed' | 'UserLite' = 'UserLite'>(
|
2023-08-16 10:51:28 +02:00
|
|
|
users: (MiUser['id'] | MiUser)[],
|
|
|
|
me?: { id: MiUser['id'] } | null | undefined,
|
2019-04-25 06:27:07 +02:00
|
|
|
options?: {
|
2024-01-31 07:45:35 +01:00
|
|
|
schema?: S,
|
2019-04-25 06:27:07 +02:00
|
|
|
includeSecrets?: boolean,
|
2022-04-17 14:18:18 +02:00
|
|
|
},
|
2024-01-31 07:45:35 +01:00
|
|
|
): Promise<Packed<S>[]> {
|
2024-03-12 06:31:34 +01:00
|
|
|
// -- IDのみの要素を補完して完全なエンティティ一覧を作る
|
|
|
|
|
|
|
|
const _users = users.filter((user): user is MiUser => typeof user !== 'string');
|
|
|
|
if (_users.length !== users.length) {
|
|
|
|
_users.push(
|
|
|
|
...await this.usersRepository.findBy({
|
|
|
|
id: In(users.filter((user): user is string => typeof user === 'string')),
|
|
|
|
}),
|
|
|
|
);
|
|
|
|
}
|
|
|
|
const _userIds = _users.map(u => u.id);
|
|
|
|
|
|
|
|
// -- 特に前提条件のない値群を取得
|
|
|
|
|
|
|
|
const profilesMap = await this.userProfilesRepository.findBy({ userId: In(_userIds) })
|
|
|
|
.then(profiles => new Map(profiles.map(p => [p.userId, p])));
|
|
|
|
|
|
|
|
// -- 実行者の有無や指定スキーマの種別によって要否が異なる値群を取得
|
|
|
|
|
|
|
|
let userRelations: Map<MiUser['id'], UserRelation> = new Map();
|
|
|
|
let userMemos: Map<MiUser['id'], string | null> = new Map();
|
|
|
|
let pinNotes: Map<MiUser['id'], MiUserNotePining[]> = new Map();
|
|
|
|
|
|
|
|
if (options?.schema !== 'UserLite') {
|
|
|
|
const meId = me ? me.id : null;
|
|
|
|
if (meId) {
|
|
|
|
userMemos = await this.userMemosRepository.findBy({ userId: meId })
|
|
|
|
.then(memos => new Map(memos.map(memo => [memo.targetUserId, memo.memo])));
|
|
|
|
|
|
|
|
if (_userIds.length > 0) {
|
|
|
|
userRelations = await this.getRelations(meId, _userIds);
|
|
|
|
pinNotes = await this.userNotePiningsRepository.createQueryBuilder('pin')
|
|
|
|
.where('pin.userId IN (:...userIds)', { userIds: _userIds })
|
|
|
|
.innerJoinAndSelect('pin.note', 'note')
|
|
|
|
.getMany()
|
|
|
|
.then(pinsNotes => {
|
|
|
|
const map = new Map<MiUser['id'], MiUserNotePining[]>();
|
|
|
|
for (const note of pinsNotes) {
|
|
|
|
const notes = map.get(note.userId) ?? [];
|
|
|
|
notes.push(note);
|
|
|
|
map.set(note.userId, notes);
|
|
|
|
}
|
|
|
|
for (const [, notes] of map.entries()) {
|
|
|
|
// pack側ではDESCで取得しているので、それに合わせて降順に並び替えておく
|
|
|
|
notes.sort((a, b) => b.id.localeCompare(a.id));
|
|
|
|
}
|
|
|
|
return map;
|
|
|
|
});
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return Promise.all(
|
|
|
|
_users.map(u => this.pack(
|
|
|
|
u,
|
|
|
|
me,
|
|
|
|
{
|
|
|
|
...options,
|
|
|
|
userProfile: profilesMap.get(u.id),
|
|
|
|
userRelations: userRelations,
|
|
|
|
userMemos: userMemos,
|
|
|
|
pinNotes: pinNotes,
|
|
|
|
},
|
|
|
|
)),
|
|
|
|
);
|
2022-09-17 20:27:08 +02:00
|
|
|
}
|
|
|
|
}
|