Merge branch 'develop' into fetch-outbox

This commit is contained in:
Kagami Sascha Rosylight 2023-07-09 15:04:12 +02:00 committed by GitHub
commit bdbad4605b
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
23 changed files with 203 additions and 80 deletions

View File

@ -27,6 +27,7 @@
- 見たことのあるRenoteを省略して表示をオンのときに自分のnoteのrenoteを省略するように - 見たことのあるRenoteを省略して表示をオンのときに自分のnoteのrenoteを省略するように
- フォルダーやファイルに対しても開発者モード使用時、IDをコピーできるように - フォルダーやファイルに対しても開発者モード使用時、IDをコピーできるように
- 引用対象を「もっと見る」で展開した場合、「閉じる」で畳めるように - 引用対象を「もっと見る」で展開した場合、「閉じる」で畳めるように
- プロフィールURLをコピーできるボタンを追加 #11190
- Fix: サーバーメトリクスが90度傾いている - Fix: サーバーメトリクスが90度傾いている
- Fix: 非ログイン時にクレデンシャルが必要なページに行くとエラーが出る問題を修正 - Fix: 非ログイン時にクレデンシャルが必要なページに行くとエラーが出る問題を修正
- Fix: sparkle内にリンクを入れるとクリック不能になる問題の修正 - Fix: sparkle内にリンクを入れるとクリック不能になる問題の修正
@ -34,12 +35,14 @@
- Fix: ページ遷移でスクロール位置が保持されない問題を修正 - Fix: ページ遷移でスクロール位置が保持されない問題を修正
- Fix: フォルダーのページネーションが機能しない #11180 - Fix: フォルダーのページネーションが機能しない #11180
- Fix: 長い文章を投稿する際、プレビューが画面からはみ出る問題を修正 - Fix: 長い文章を投稿する際、プレビューが画面からはみ出る問題を修正
- Fix: システムフォント設定が正しく反映されない問題を修正
### Server ### Server
- JSON.parse の回数を削減することで、ストリーミングのパフォーマンスを向上しました - JSON.parse の回数を削減することで、ストリーミングのパフォーマンスを向上しました
- nsfwjs のモデルロードを排他することで、重複ロードによってメモリ使用量が増加しないように - nsfwjs のモデルロードを排他することで、重複ロードによってメモリ使用量が増加しないように
- 連合の配送ジョブのパフォーマンスを向上ロック機構の見直し、Redisキャッシュの活用 - 連合の配送ジョブのパフォーマンスを向上ロック機構の見直し、Redisキャッシュの活用
- 全体的なDBクエリのパフォーマンスを向上 - 全体的なDBクエリのパフォーマンスを向上
- featuredートのsignedGet回数を減らしました
## 13.13.2 ## 13.13.2

View File

@ -2,14 +2,14 @@
* Gulp tasks * Gulp tasks
*/ */
const fs = require('fs'); import * as fs from 'node:fs';
const gulp = require('gulp'); import gulp from 'gulp';
const replace = require('gulp-replace'); import replace from 'gulp-replace';
const terser = require('gulp-terser'); import terser from 'gulp-terser';
const cssnano = require('gulp-cssnano'); import cssnano from 'gulp-cssnano';
const locales = require('./locales'); import locales from './locales/index.js';
const meta = require('./package.json'); import meta from './package.json' assert { type: "json" };
gulp.task('copy:backend:views', () => gulp.task('copy:backend:views', () =>
gulp.src('./packages/backend/src/server/web/views/**/*').pipe(gulp.dest('./packages/backend/built/server/web/views')) gulp.src('./packages/backend/src/server/web/views/**/*').pipe(gulp.dest('./packages/backend/built/server/web/views'))

View File

@ -1,6 +1,6 @@
const fs = require('fs'); import * as fs from 'node:fs';
const yaml = require('js-yaml'); import * as yaml from 'js-yaml';
const ts = require('typescript'); import * as ts from 'typescript';
function createMembers(record) { function createMembers(record) {
return Object.entries(record) return Object.entries(record)
@ -14,7 +14,7 @@ function createMembers(record) {
)); ));
} }
module.exports = function generateDTS() { export default function generateDTS() {
const locale = yaml.load(fs.readFileSync(`${__dirname}/ja-JP.yml`, 'utf-8')); const locale = yaml.load(fs.readFileSync(`${__dirname}/ja-JP.yml`, 'utf-8'));
const members = createMembers(locale); const members = createMembers(locale);
const elements = [ const elements = [

1
locales/index.d.ts vendored
View File

@ -59,6 +59,7 @@ export interface Locale {
"copyNoteId": string; "copyNoteId": string;
"copyFileId": string; "copyFileId": string;
"copyFolderId": string; "copyFolderId": string;
"copyProfileUrl": string;
"searchUser": string; "searchUser": string;
"reply": string; "reply": string;
"loadMore": string; "loadMore": string;

View File

@ -2,8 +2,8 @@
* Languages Loader * Languages Loader
*/ */
const fs = require('fs'); import * as fs from 'node:fs';
const yaml = require('js-yaml'); import * as yaml from 'js-yaml';
const merge = (...args) => args.reduce((a, c) => ({ const merge = (...args) => args.reduce((a, c) => ({
...a, ...a,
@ -51,9 +51,9 @@ const primaries = {
// 何故か文字列にバックスペース文字が混入することがあり、YAMLが壊れるので取り除く // 何故か文字列にバックスペース文字が混入することがあり、YAMLが壊れるので取り除く
const clean = (text) => text.replace(new RegExp(String.fromCodePoint(0x08), 'g'), ''); const clean = (text) => text.replace(new RegExp(String.fromCodePoint(0x08), 'g'), '');
const locales = languages.reduce((a, c) => (a[c] = yaml.load(clean(fs.readFileSync(`${__dirname}/${c}.yml`, 'utf-8'))) || {}, a), {}); const locales = languages.reduce((a, c) => (a[c] = yaml.load(clean(fs.readFileSync(new URL(`${c}.yml`, import.meta.url), 'utf-8'))) || {}, a), {});
module.exports = Object.entries(locales) export default Object.entries(locales)
.reduce((a, [k ,v]) => (a[k] = (() => { .reduce((a, [k ,v]) => (a[k] = (() => {
const [lang] = k.split('-'); const [lang] = k.split('-');
switch (k) { switch (k) {

View File

@ -56,6 +56,7 @@ copyUserId: "ユーザーIDをコピー"
copyNoteId: "ートIDをコピー" copyNoteId: "ートIDをコピー"
copyFileId: "ファイルIDをコピー" copyFileId: "ファイルIDをコピー"
copyFolderId: "フォルダーIDをコピー" copyFolderId: "フォルダーIDをコピー"
copyProfileUrl: "プロフィールURLをコピー"
searchUser: "ユーザーを検索" searchUser: "ユーザーを検索"
reply: "返信" reply: "返信"
loadMore: "もっと見る" loadMore: "もっと見る"

3
locales/package.json Normal file
View File

@ -0,0 +1,3 @@
{
"type": "module"
}

View File

@ -177,7 +177,7 @@ export class ApNoteService {
// リプライ // リプライ
const reply: Note | null = note.inReplyTo const reply: Note | null = note.inReplyTo
? await this.resolveNote(note.inReplyTo, resolver) ? await this.resolveNote(note.inReplyTo, { resolver })
.then(x => { .then(x => {
if (x == null) { if (x == null) {
this.logger.warn('Specified inReplyTo, but not found'); this.logger.warn('Specified inReplyTo, but not found');
@ -293,9 +293,8 @@ export class ApNoteService {
* Misskeyに登録しそれを返します * Misskeyに登録しそれを返します
*/ */
@bindThis @bindThis
public async resolveNote(value: string | IObject, resolver?: Resolver): Promise<Note | null> { public async resolveNote(value: string | IObject, options: { sentFrom?: URL, resolver?: Resolver } = {}): Promise<Note | null> {
const uri = typeof value === 'string' ? value : value.id; const uri = getApId(value);
if (uri == null) throw new Error('missing uri');
// ブロックしていたら中断 // ブロックしていたら中断
const meta = await this.metaService.fetch(); const meta = await this.metaService.fetch();
@ -318,7 +317,8 @@ export class ApNoteService {
// リモートサーバーからフェッチしてきて登録 // リモートサーバーからフェッチしてきて登録
// ここでuriの代わりに添付されてきたNote Objectが指定されていると、サーバーフェッチを経ずにートが生成されるが // ここでuriの代わりに添付されてきたNote Objectが指定されていると、サーバーフェッチを経ずにートが生成されるが
// 添付されてきたNote Objectは偽装されている可能性があるため、常にuriを指定してサーバーフェッチを行う。 // 添付されてきたNote Objectは偽装されている可能性があるため、常にuriを指定してサーバーフェッチを行う。
return await this.createNote(uri, resolver, true); const createFrom = options.sentFrom?.origin === new URL(uri).origin ? value : uri;
return await this.createNote(createFrom, options.resolver, true);
} finally { } finally {
unlock(); unlock();
} }

View File

@ -637,7 +637,10 @@ export class ApPersonService implements OnModuleInit {
const featuredNotes = await Promise.all(items const featuredNotes = await Promise.all(items
.filter(item => getApType(item) === 'Note') // TODO: Noteでなくてもいいかも .filter(item => getApType(item) === 'Note') // TODO: Noteでなくてもいいかも
.slice(0, 5) .slice(0, 5)
.map(item => limit(() => this.apNoteService.resolveNote(item, _resolver)))); .map(item => limit(() => this.apNoteService.resolveNote(item, {
resolver: _resolver,
sentFrom: new URL(user.uri),
}))));
await this.db.transaction(async transactionalEntityManager => { await this.db.transaction(async transactionalEntityManager => {
await transactionalEntityManager.delete(UserNotePining, { userId: user.id }); await transactionalEntityManager.delete(UserNotePining, { userId: user.id });

View File

@ -18,7 +18,8 @@ type MockResponse = {
}; };
export class MockResolver extends Resolver { export class MockResolver extends Resolver {
private _rs = new Map<string, MockResponse>(); #responseMap = new Map<string, MockResponse>();
#remoteGetTrials: string[] = [];
constructor(loggerService: LoggerService) { constructor(loggerService: LoggerService) {
super( super(
@ -38,22 +39,28 @@ export class MockResolver extends Resolver {
); );
} }
public _register(uri: string, content: string | Record<string, any>, type = 'application/activity+json') { public register(uri: string, content: string | Record<string, any>, type = 'application/activity+json'): void {
this._rs.set(uri, { this.#responseMap.set(uri, {
type, type,
content: typeof content === 'string' ? content : JSON.stringify(content), content: typeof content === 'string' ? content : JSON.stringify(content),
}); });
} }
public clear() { public clear(): void {
this._rs.clear(); this.#responseMap.clear();
this.#remoteGetTrials.length = 0;
}
public remoteGetTrials(): string[] {
return this.#remoteGetTrials;
} }
@bindThis @bindThis
public async resolve(value: string | IObject): Promise<IObject> { public async resolve(value: string | IObject): Promise<IObject> {
if (typeof value !== 'string') return value; if (typeof value !== 'string') return value;
const r = this._rs.get(value); this.#remoteGetTrials.push(value);
const r = this.#responseMap.get(value);
if (!r) { if (!r) {
throw new Error('Not registered for mock'); throw new Error('Not registered for mock');

View File

@ -18,9 +18,12 @@ import { MockResolver } from '../misc/mock-resolver.js';
const host = 'https://host1.test'; const host = 'https://host1.test';
function createRandomActor(): IActor & { id: string } { type NonTransientIActor = IActor & { id: string };
type NonTransientIPost = IPost & { id: string };
function createRandomActor({ actorHost = host } = {}): NonTransientIActor {
const preferredUsername = secureRndstr(8); const preferredUsername = secureRndstr(8);
const actorId = `${host}/users/${preferredUsername.toLowerCase()}`; const actorId = `${actorHost}/users/${preferredUsername.toLowerCase()}`;
return { return {
'@context': 'https://www.w3.org/ns/activitystreams', '@context': 'https://www.w3.org/ns/activitystreams',
@ -32,26 +35,48 @@ function createRandomActor(): IActor & { id: string } {
}; };
} }
function createRandomCreateActivity(actor: IActor, length: number): ICreate[] { function createRandomNote(actor: NonTransientIActor): NonTransientIPost {
return new Array(length).fill(null).map((): ICreate => {
const id = secureRndstr(8); const id = secureRndstr(8);
const noteId = `${host}/notes/${id}`; const noteId = `${new URL(actor.id).origin}/notes/${id}`;
return { return {
type: 'Create',
id: `${noteId}/activity`,
actor,
object: {
id: noteId, id: noteId,
type: 'Note', type: 'Note',
attributedTo: actor.id, attributedTo: actor.id,
content: 'test test foo', content: 'test test foo',
} satisfies IPost, };
}
function createRandomNotes(actor: NonTransientIActor, length: number): NonTransientIPost[] {
return new Array(length).fill(null).map(() => createRandomNote(actor));
}
function createRandomFeaturedCollection(actor: NonTransientIActor, length: number): ICollection {
const items = createRandomNotes(actor, length);
return {
'@context': 'https://www.w3.org/ns/activitystreams',
type: 'Collection',
id: actor.outbox as string,
totalItems: items.length,
items,
};
}
function createRandomCreateActivity(actor: NonTransientIActor, length: number): ICreate[] {
return new Array(length).fill(null).map((): ICreate => {
const note = reateRandomNote(actor);
return {
type: 'Create',
id: `${note.id}/activity`,
actor,
object: note,
}; };
}); });
} }
function createRandomNonPagedOutbox(actor: IActor, length: number): IOrderedCollection { function createRandomNonPagedOutbox(actor: NonTransientIActor, length: number): IOrderedCollection {
const orderedItems = createRandomCreateActivity(actor, length); const orderedItems = createRandomCreateActivity(actor, length);
return { return {
@ -63,7 +88,7 @@ function createRandomNonPagedOutbox(actor: IActor, length: number): IOrderedColl
}; };
} }
function createRandomOutboxPage(actor: IActor, id: string, length: number): IOrderedCollectionPage { function createRandomOutboxPage(actor: NonTransientIActor, id: string, length: number): IOrderedCollectionPage {
const orderedItems = createRandomCreateActivity(actor, length); const orderedItems = createRandomCreateActivity(actor, length);
return { return {
@ -75,7 +100,7 @@ function createRandomOutboxPage(actor: IActor, id: string, length: number): IOrd
}; };
} }
function createRandomPagedOutbox(actor: IActor): IOrderedCollection { function createRandomPagedOutbox(actor: NonTransientIActor): IOrderedCollection {
return { return {
'@context': 'https://www.w3.org/ns/activitystreams', '@context': 'https://www.w3.org/ns/activitystreams',
type: 'OrderedCollection', type: 'OrderedCollection',
@ -126,7 +151,7 @@ describe('ActivityPub', () => {
}; };
test('Minimum Actor', async () => { test('Minimum Actor', async () => {
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
const user = await personService.createPerson(actor.id, resolver); const user = await personService.createPerson(actor.id, resolver);
@ -136,8 +161,8 @@ describe('ActivityPub', () => {
}); });
test('Minimum Note', async () => { test('Minimum Note', async () => {
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
resolver._register(post.id, post); resolver.register(post.id, post);
const note = await noteService.createNote(post.id, resolver, true); const note = await noteService.createNote(post.id, resolver, true);
@ -154,7 +179,7 @@ describe('ActivityPub', () => {
name: secureRndstr(129), name: secureRndstr(129),
}; };
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
const user = await personService.createPerson(actor.id, resolver); const user = await personService.createPerson(actor.id, resolver);
@ -167,7 +192,7 @@ describe('ActivityPub', () => {
name: '', name: '',
}; };
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
const user = await personService.createPerson(actor.id, resolver); const user = await personService.createPerson(actor.id, resolver);
@ -184,13 +209,70 @@ describe('ActivityPub', () => {
}); });
}); });
describe('Featured', () => {
test('Fetch featured notes from IActor', async () => {
const actor = createRandomActor();
actor.featured = `${actor.id}/collections/featured`;
const featured = createRandomFeaturedCollection(actor, 5);
resolver.register(actor.id, actor);
resolver.register(actor.featured, featured);
await personService.createPerson(actor.id, resolver);
// All notes in `featured` are same-origin, no need to fetch notes again
assert.deepStrictEqual(resolver.remoteGetTrials(), [actor.id, actor.featured]);
// Created notes without resolving anything
for (const item of featured.items as IPost[]) {
const note = await noteService.fetchNote(item);
assert.ok(note);
assert.strictEqual(note.text, 'test test foo');
assert.strictEqual(note.uri, item.id);
}
});
test('Fetch featured notes from IActor pointing to another remote server', async () => {
const actor1 = createRandomActor();
actor1.featured = `${actor1.id}/collections/featured`;
const actor2 = createRandomActor({ actorHost: 'https://host2.test' });
const actor2Note = createRandomNote(actor2);
const featured = createRandomFeaturedCollection(actor1, 0);
(featured.items as IPost[]).push({
...actor2Note,
content: 'test test bar', // fraud!
});
resolver.register(actor1.id, actor1);
resolver.register(actor1.featured, featured);
resolver.register(actor2.id, actor2);
resolver.register(actor2Note.id, actor2Note);
await personService.createPerson(actor1.id, resolver);
// actor2Note is from a different server and needs to be fetched again
assert.deepStrictEqual(
resolver.remoteGetTrials(),
[actor1.id, actor1.featured, actor2Note.id, actor2.id],
);
const note = await noteService.fetchNote(actor2Note.id);
assert.ok(note);
// Reflects the original content instead of the fraud
assert.strictEqual(note.text, 'test test foo');
assert.strictEqual(note.uri, actor2Note.id);
});
describe('Outbox', () => { describe('Outbox', () => {
test('Fetch non-paged outbox from IActor', async () => { test('Fetch non-paged outbox from IActor', async () => {
const actor = createRandomActor(); const actor = createRandomActor();
const outbox = createRandomNonPagedOutbox(actor, 10); const outbox = createRandomNonPagedOutbox(actor, 10);
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
resolver._register(actor.outbox as string, outbox); resolver.register(actor.outbox as string, outbox);
await personService.createPerson(actor.id, resolver); await personService.createPerson(actor.id, resolver);
@ -207,9 +289,9 @@ describe('ActivityPub', () => {
const outbox = createRandomPagedOutbox(actor); const outbox = createRandomPagedOutbox(actor);
const page = createRandomOutboxPage(actor, outbox.id!, 10); const page = createRandomOutboxPage(actor, outbox.id!, 10);
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
resolver._register(actor.outbox as string, outbox); resolver.register(actor.outbox as string, outbox);
resolver._register(outbox.first as string, page); resolver.register(outbox.first as string, page);
await personService.createPerson(actor.id, resolver); await personService.createPerson(actor.id, resolver);
@ -221,12 +303,12 @@ describe('ActivityPub', () => {
} }
}); });
test('Fetch only the first 100 items', async () => { test('Fetch only the first 20 items', async () => {
const actor = createRandomActor(); const actor = createRandomActor();
const outbox = createRandomNonPagedOutbox(actor, 200); const outbox = createRandomNonPagedOutbox(actor, 200);
resolver._register(actor.id, actor); resolver.register(actor.id, actor);
resolver._register(actor.outbox as string, outbox); resolver.register(actor.outbox as string, outbox);
await personService.createPerson(actor.id, resolver); await personService.createPerson(actor.id, resolver);

View File

@ -1,7 +1,10 @@
import fs from 'node:fs/promises'; import fs from 'node:fs/promises';
import { fileURLToPath } from 'node:url';
import path from 'node:path'; import path from 'node:path';
import micromatch from 'micromatch'; import micromatch from 'micromatch';
import main from './main'; import main from './main.js';
const __dirname = fileURLToPath(new URL('.', import.meta.url));
interface Stats { interface Stats {
readonly modules: readonly { readonly modules: readonly {
@ -13,8 +16,8 @@ interface Stats {
}[]; }[];
} }
fs.readFile( await fs.readFile(
path.resolve(__dirname, '../storybook-static/preview-stats.json') new URL('../storybook-static/preview-stats.json', import.meta.url)
).then((buffer) => { ).then((buffer) => {
const stats: Stats = JSON.parse(buffer.toString()); const stats: Stats = JSON.parse(buffer.toString());
const keys = new Set(stats.modules.map((stat) => stat.id)); const keys = new Set(stats.modules.map((stat) => stat.id));

View File

@ -1,7 +1,11 @@
import { resolve } from 'node:path'; import { resolve } from 'node:path';
import { fileURLToPath } from 'node:url';
import type { StorybookConfig } from '@storybook/vue3-vite'; import type { StorybookConfig } from '@storybook/vue3-vite';
import { type Plugin, mergeConfig } from 'vite'; import { type Plugin, mergeConfig } from 'vite';
import turbosnap from 'vite-plugin-turbosnap'; import turbosnap from 'vite-plugin-turbosnap';
const dirname = fileURLToPath(new URL('.', import.meta.url));
const config = { const config = {
stories: ['../src/**/*.mdx', '../src/**/*.stories.@(js|jsx|ts|tsx)'], stories: ['../src/**/*.mdx', '../src/**/*.stories.@(js|jsx|ts|tsx)'],
addons: [ addons: [
@ -9,7 +13,7 @@ const config = {
'@storybook/addon-interactions', '@storybook/addon-interactions',
'@storybook/addon-links', '@storybook/addon-links',
'@storybook/addon-storysource', '@storybook/addon-storysource',
resolve(__dirname, '../node_modules/storybook-addon-misskey-theme'), resolve(dirname, '../node_modules/storybook-addon-misskey-theme'),
], ],
framework: { framework: {
name: '@storybook/vue3-vite', name: '@storybook/vue3-vite',
@ -28,7 +32,8 @@ const config = {
} }
return mergeConfig(config, { return mergeConfig(config, {
plugins: [ plugins: [
turbosnap({ // XXX: https://github.com/IanVS/vite-plugin-turbosnap/issues/8
(turbosnap as any as typeof turbosnap['default'])({
rootDir: config.root ?? process.cwd(), rootDir: config.root ?? process.cwd(),
}), }),
], ],

View File

@ -0,0 +1,3 @@
{
"type": "module"
}

View File

@ -1,9 +1,8 @@
import { writeFile } from 'node:fs/promises'; import { writeFile } from 'node:fs/promises';
import { resolve } from 'node:path'; import * as locales from '../../../locales/index.js';
import * as locales from '../../../locales';
writeFile( await writeFile(
resolve(__dirname, 'locale.ts'), new URL('locale.ts', import.meta.url),
`export default ${JSON.stringify(locales['ja-JP'], undefined, 2)} as const;`, `export default ${JSON.stringify(locales['ja-JP'], undefined, 2)} as const;`,
'utf8', 'utf8',
) )

View File

@ -1,6 +1,5 @@
import { readFile, writeFile } from 'node:fs/promises'; import { readFile, writeFile } from 'node:fs/promises';
import { resolve } from 'node:path'; import JSON5 from 'json5';
import * as JSON5 from 'json5';
const keys = [ const keys = [
'_dark', '_dark',
@ -26,9 +25,9 @@ const keys = [
'd-u0', 'd-u0',
] ]
Promise.all(keys.map((key) => readFile(resolve(__dirname, `../src/themes/${key}.json5`), 'utf8'))).then((sources) => { await Promise.all(keys.map((key) => readFile(new URL(`../src/themes/${key}.json5`, import.meta.url), 'utf8'))).then((sources) => {
writeFile( writeFile(
resolve(__dirname, './themes.ts'), new URL('./themes.ts', import.meta.url),
`export default ${JSON.stringify( `export default ${JSON.stringify(
Object.fromEntries(sources.map((source, i) => [keys[i], JSON5.parse(source)])), Object.fromEntries(sources.map((source, i) => [keys[i], JSON5.parse(source)])),
undefined, undefined,

View File

@ -3,10 +3,10 @@ import { FORCE_REMOUNT } from '@storybook/core-events';
import { type Preview, setup } from '@storybook/vue3'; import { type Preview, setup } from '@storybook/vue3';
import isChromatic from 'chromatic/isChromatic'; import isChromatic from 'chromatic/isChromatic';
import { initialize, mswDecorator } from 'msw-storybook-addon'; import { initialize, mswDecorator } from 'msw-storybook-addon';
import { userDetailed } from './fakes'; import { userDetailed } from './fakes.js';
import locale from './locale'; import locale from './locale.js';
import { commonHandlers, onUnhandledRequest } from './mocks'; import { commonHandlers, onUnhandledRequest } from './mocks.js';
import themes from './themes'; import themes from './themes.js';
import '../src/style.scss'; import '../src/style.scss';
const appInitialized = Symbol(); const appInitialized = Symbol();

View File

@ -1,5 +1,7 @@
{ {
"compilerOptions": { "compilerOptions": {
"target": "es2022",
"module": "Node16",
"strict": true, "strict": true,
"allowUnusedLabels": false, "allowUnusedLabels": false,
"allowUnreachableCode": false, "allowUnreachableCode": false,

View File

@ -2,13 +2,14 @@ import { defineAsyncComponent } from 'vue';
import * as misskey from 'misskey-js'; import * as misskey from 'misskey-js';
import { i18n } from '@/i18n'; import { i18n } from '@/i18n';
import copyToClipboard from '@/scripts/copy-to-clipboard'; import copyToClipboard from '@/scripts/copy-to-clipboard';
import { host } from '@/config'; import { host, url } from '@/config';
import * as os from '@/os'; import * as os from '@/os';
import { defaultStore, userActions } from '@/store'; import { defaultStore, userActions } from '@/store';
import { $i, iAmModerator } from '@/account'; import { $i, iAmModerator } from '@/account';
import { mainRouter } from '@/router'; import { mainRouter } from '@/router';
import { Router } from '@/nirax'; import { Router } from '@/nirax';
import { rolesCache, userListsCache } from '@/cache'; import { rolesCache, userListsCache } from '@/cache';
import { toUnicode } from 'punycode';
export function getUserMenu(user: misskey.entities.UserDetailed, router: Router = mainRouter) { export function getUserMenu(user: misskey.entities.UserDetailed, router: Router = mainRouter) {
const meId = $i ? $i.id : null; const meId = $i ? $i.id : null;
@ -137,6 +138,13 @@ export function getUserMenu(user: misskey.entities.UserDetailed, router: Router
action: () => { action: () => {
copyToClipboard(`${user.host ?? host}/@${user.username}.atom`); copyToClipboard(`${user.host ?? host}/@${user.username}.atom`);
}, },
}, {
icon: 'ti ti-share',
text: i18n.ts.copyProfileUrl,
action: () => {
const canonical = user.host === null ? `@${user.username}` : `@${user.username}@${toUnicode(user.host)}`
copyToClipboard(`${url}/${canonical}`);
},
}, { }, {
icon: 'ti ti-mail', icon: 'ti ti-mail',
text: i18n.ts.sendMessage, text: i18n.ts.sendMessage,

View File

@ -72,7 +72,7 @@ html {
} }
&.useSystemFont { &.useSystemFont {
font-family: 'Hiragino Maru Gothic Pro', sans-serif; font-family: system-ui;
} }
} }

View File

@ -1,10 +1,13 @@
// @ts-check // @ts-check
const esbuild = require('esbuild'); import { fileURLToPath } from 'node:url';
const locales = require('../../locales'); import * as esbuild from 'esbuild';
const meta = require('../../package.json'); import locales from '../../locales/index.js';
import meta from '../../package.json' assert { type: "json" };
const watch = process.argv[2]?.includes('watch'); const watch = process.argv[2]?.includes('watch');
const __dirname = fileURLToPath(new URL('.', import.meta.url))
console.log('Starting SW building...'); console.log('Starting SW building...');
/** @type {esbuild.BuildOptions} */ /** @type {esbuild.BuildOptions} */

View File

@ -19,5 +19,6 @@
"eslint": "8.44.0", "eslint": "8.44.0",
"eslint-plugin-import": "2.27.5", "eslint-plugin-import": "2.27.5",
"typescript": "5.1.6" "typescript": "5.1.6"
} },
"type": "module"
} }