Add ESLint

This commit is contained in:
na2na-p 2022-08-10 16:58:29 +09:00
parent 98f22f2b9d
commit 71c73de59e
No known key found for this signature in database
GPG key ID: 188940C4AA4A067E
57 changed files with 6442 additions and 739 deletions

29
.eslintrc.js Normal file
View file

@ -0,0 +1,29 @@
module.exports = {
'env': {
'es2021': true,
'node': true,
},
'extends': [
'google',
],
'parser': '@typescript-eslint/parser',
'parserOptions': {
'ecmaVersion': 'latest',
'sourceType': 'module',
},
'plugins': [
'@typescript-eslint',
],
'rules': {
'no-tabs': 'off',
'max-len': ['error', {'code': 120}],
'indent': ['error', 'tab'],
'@typescript-eslint/no-unused-vars': ['warn', {'argsIgnorePattern': '^_'}],
'no-unused-vars': 'off',
'require-jsdoc': 'off',
'valid-jsdoc': 'off',
'max-len': 'off',
'no-mixed-spaces-and-tabs': 'off',
'new-cap': 'off',
},
};

19
.github/workflows/ci.yml vendored Normal file
View file

@ -0,0 +1,19 @@
name: CI
on:
push:
branches-ignore:
- main
jobs:
ESLint:
runs-on: ubuntu-latest
steps:
- name: Checkout
uses: actions/checkout@v3
- name: Set Node.js 18.x
uses: actions/setup-node@v3
with:
node-version: 18.x
- name: ci
run: yarn install --immutable --immutable-cache --check-cache
- name: ESLint
run: yarn lint

View file

@ -4,7 +4,9 @@
"scripts": {
"start": "node ./built",
"build": "tsc",
"test": "jest"
"test": "jest",
"lint": "yarn eslint --ext .js,.ts .",
"lint:fix": "yarn eslint --ext .js,.ts . --fix"
},
"dependencies": {
"@types/chalk": "2.2.0",
@ -47,6 +49,10 @@
"@types/koa__router": "8.0.11",
"@types/node-fetch": "3.0.3",
"@types/websocket": "1.0.5",
"@typescript-eslint/eslint-plugin": "5.33.0",
"@typescript-eslint/parser": "5.33.0",
"eslint": ">=5.16.0",
"eslint-config-google": "0.14.0",
"jest": "26.6.3",
"koa": "2.13.4",
"koa-json-body": "5.3.0",

View file

@ -5,14 +5,14 @@ import autobind from 'autobind-decorator';
import * as loki from 'lokijs';
import * as request from 'request-promise-native';
import * as chalk from 'chalk';
import { v4 as uuid } from 'uuid';
import {v4 as uuid} from 'uuid';
const delay = require('timeout-as-promise');
import config from '@/config';
import Module from '@/module';
import Message from '@/message';
import Friend, { FriendDoc } from '@/friend';
import { User } from '@/misskey/user';
import Friend, {FriendDoc} from '@/friend';
import {User} from '@/misskey/user';
import Stream from '@/stream';
import log from '@/utils/log';
const pkg = require('../package.json');
@ -114,14 +114,14 @@ export default class 藍 {
autoload: true,
autosave: true,
autosaveInterval: 1000,
autoloadCallback: err => {
autoloadCallback: (err) => {
if (err) {
this.log(chalk.red(`Failed to load the memory: ${err}`));
} else {
this.log(chalk.green('The memory loaded successfully'));
this.run();
}
}
},
});
}
@ -132,25 +132,25 @@ export default class 藍 {
@autobind
private run() {
//#region Init DB
// #region Init DB
this.meta = this.getCollection('meta', {});
this.contexts = this.getCollection('contexts', {
indices: ['key']
indices: ['key'],
});
this.timers = this.getCollection('timers', {
indices: ['module']
indices: ['module'],
});
this.friends = this.getCollection('friends', {
indices: ['userId']
indices: ['userId'],
});
this.moduleData = this.getCollection('moduleData', {
indices: ['module']
indices: ['module'],
});
//#endregion
// #endregion
const meta = this.getMeta();
this.lastSleepedAt = meta.lastWakingAt;
@ -158,54 +158,54 @@ export default class 藍 {
// Init stream
this.connection = new Stream();
//#region Main stream
// #region Main stream
const mainStream = this.connection.useSharedConnection('main');
// メンションされたとき
mainStream.on('mention', async data => {
mainStream.on('mention', async (data) => {
if (data.userId == this.account.id) return; // 自分は弾く
if (data.text && data.text.startsWith('@' + this.account.username)) {
// Misskeyのバグで投稿が非公開扱いになる
if (data.text == null) data = await this.api('notes/show', { noteId: data.id });
if (data.text == null) data = await this.api('notes/show', {noteId: data.id});
this.onReceiveMessage(new Message(this, data, false));
}
});
// 返信されたとき
mainStream.on('reply', async data => {
mainStream.on('reply', async (data) => {
if (data.userId == this.account.id) return; // 自分は弾く
if (data.text && data.text.startsWith('@' + this.account.username)) return;
// Misskeyのバグで投稿が非公開扱いになる
if (data.text == null) data = await this.api('notes/show', { noteId: data.id });
if (data.text == null) data = await this.api('notes/show', {noteId: data.id});
this.onReceiveMessage(new Message(this, data, false));
});
// Renoteされたとき
mainStream.on('renote', async data => {
mainStream.on('renote', async (data) => {
if (data.userId == this.account.id) return; // 自分は弾く
if (data.text == null && (data.files || []).length == 0) return;
// リアクションする
this.api('notes/reactions/create', {
noteId: data.id,
reaction: 'love'
reaction: 'love',
});
});
// メッセージ
mainStream.on('messagingMessage', data => {
mainStream.on('messagingMessage', (data) => {
if (data.userId == this.account.id) return; // 自分は弾く
this.onReceiveMessage(new Message(this, data, true));
});
// 通知
mainStream.on('notification', data => {
mainStream.on('notification', (data) => {
this.onNotification(data);
});
//#endregion
// #endregion
// Install modules
this.modules.forEach(m => {
this.modules.forEach((m) => {
this.log(`Installing ${chalk.cyan.italic(m.name)}\tmodule...`);
m.init(this);
const res = m.install();
@ -244,16 +244,16 @@ export default class 藍 {
// Look up the context
const context = isNoContext ? null : this.contexts.findOne(msg.isDm ? {
isDm: true,
userId: msg.userId
userId: msg.userId,
} : {
isDm: false,
noteId: msg.replyId
noteId: msg.replyId,
});
let reaction: string | null = 'love';
let immediate: boolean = false;
//#region
// #region
const invokeMentionHooks = async () => {
let res: boolean | HandlerResult | null = null;
@ -285,7 +285,7 @@ export default class 藍 {
} else {
await invokeMentionHooks();
}
//#endregion
// #endregion
if (!immediate) {
await delay(1000);
@ -301,7 +301,7 @@ export default class 藍 {
if (reaction) {
this.api('notes/reactions/create', {
noteId: msg.id,
reaction: reaction
reaction: reaction,
});
}
}
@ -310,16 +310,16 @@ export default class 藍 {
@autobind
private onNotification(notification: any) {
switch (notification.type) {
// リアクションされたら親愛度を少し上げる
// TODO: リアクション取り消しをよしなにハンドリングする
case 'reaction': {
const friend = new Friend(this, { user: notification.user });
friend.incLove(0.1);
break;
}
// リアクションされたら親愛度を少し上げる
// TODO: リアクション取り消しをよしなにハンドリングする
case 'reaction': {
const friend = new Friend(this, {user: notification.user});
friend.incLove(0.1);
break;
}
default:
break;
default:
break;
}
}
@ -362,12 +362,12 @@ export default class 藍 {
@autobind
public lookupFriend(userId: User['id']): Friend | null {
const doc = this.friends.findOne({
userId: userId
userId: userId,
});
if (doc == null) return null;
const friend = new Friend(this, { doc: doc });
const friend = new Friend(this, {doc: doc});
return friend;
}
@ -383,10 +383,10 @@ export default class 藍 {
i: config.i,
file: {
value: file,
options: meta
}
options: meta,
},
},
json: true
json: true,
});
return res;
}
@ -417,8 +417,8 @@ export default class 藍 {
public api(endpoint: string, param?: any) {
return request.post(`${config.apiUrl}/${endpoint}`, {
json: Object.assign({
i: config.i
}, param)
i: config.i,
}, param),
});
};
@ -437,13 +437,13 @@ export default class 藍 {
userId: id,
module: module.name,
key: key,
data: data
data: data,
} : {
isDm: false,
noteId: id,
module: module.name,
key: key,
data: data
data: data,
});
}
@ -456,7 +456,7 @@ export default class 藍 {
public unsubscribeReply(module: Module, key: string | null) {
this.contexts.findAndRemove({
key: key,
module: module.name
module: module.name,
});
}
@ -475,7 +475,7 @@ export default class 藍 {
module: module.name,
insertedAt: Date.now(),
delay: delay,
data: data
data: data,
});
this.log(`Timer persisted: ${module.name} ${id} ${delay}ms`);

View file

@ -2,8 +2,8 @@ import autobind from 'autobind-decorator';
import from '@/ai';
import IModule from '@/module';
import getDate from '@/utils/get-date';
import { User } from '@/misskey/user';
import { genItem } from '@/vocabulary';
import {User} from '@/misskey/user';
import {genItem} from '@/vocabulary';
export type FriendDoc = {
userId: string;
@ -43,13 +43,13 @@ export default class Friend {
if (opts.user) {
const exist = this.ai.friends.findOne({
userId: opts.user.id
userId: opts.user.id,
});
if (exist == null) {
const inserted = this.ai.friends.insertOne({
userId: opts.user.id,
user: opts.user
user: opts.user,
});
if (inserted == null) {
@ -59,7 +59,7 @@ export default class Friend {
this.doc = inserted;
} else {
this.doc = exist;
this.doc.user = { ...this.doc.user, ...opts.user };
this.doc.user = {...this.doc.user, ...opts.user};
this.save();
}
} else if (opts.doc) {
@ -172,7 +172,7 @@ export default class Friend {
@autobind
public transferMemory(code: string): boolean {
const src = this.ai.friends.findOne({
transferCode: code
transferCode: code,
});
if (src == null) return false;

View file

@ -15,7 +15,7 @@ import CoreModule from './modules/core';
import TalkModule from './modules/talk';
import BirthdayModule from './modules/birthday';
import ReversiModule from './modules/reversi';
import summonCat from './modules/summonCat';
import SummonCat from './modules/summonCat';
import PingModule from './modules/ping';
import EmojiModule from './modules/emoji';
import EmojiReactModule from './modules/emoji-react';
@ -35,9 +35,9 @@ import SleepReportModule from './modules/sleep-report';
import NotingModule from './modules/noting';
// import PollModule from './modules/poll';
import ReminderModule from './modules/reminder';
import earthquake from './modules/earthquake';
import Earthquake from './modules/earthquake';
import DicModule from './modules/dic';
import menuModule from './modules/menu';
import MenuModule from './modules/menu';
import GetColorModule from './modules/color';
console.log(' __ ____ _____ ___ ');
@ -51,18 +51,18 @@ function log(msg: string): void {
log(chalk.bold(`Ai v${pkg._v}`));
promiseRetry(retry => {
promiseRetry((retry) => {
log(`Account fetching... ${chalk.gray(config.host)}`);
// アカウントをフェッチ
return request.post(`${config.apiUrl}/i`, {
json: {
i: config.i
}
i: config.i,
},
}).catch(retry);
}, {
retries: 3
}).then(account => {
retries: 3,
}).then((account) => {
const acct = `@${account.username}`;
log(chalk.green(`Account fetched successfully: ${chalk.underline(acct)}`));
@ -72,7 +72,7 @@ promiseRetry(retry => {
new (account, [
new CoreModule(),
new ReminderModule(),
new summonCat(),
new SummonCat(),
new EmojiModule(),
new EmojiReactModule(),
new FortuneModule(),
@ -95,10 +95,10 @@ promiseRetry(retry => {
new NotingModule(),
// new PollModule(),
new DicModule(),
new menuModule(),
new MenuModule(),
new GetColorModule(),
new earthquake(),
new Earthquake(),
]);
}).catch(e => {
}).catch((e) => {
log(chalk.red('Failed to fetch the account'));
});

View file

@ -4,7 +4,7 @@ const delay = require('timeout-as-promise');
import from '@/ai';
import Friend from '@/friend';
import { User } from '@/misskey/user';
import {User} from '@/misskey/user';
import includes from '@/utils/includes';
import or from '@/utils/or';
import config from '@/config';
@ -60,12 +60,12 @@ export default class Message {
this.messageOrNote = messageOrNote;
this.isDm = isDm;
this.friend = new Friend(ai, { user: this.user });
this.friend = new Friend(ai, {user: this.user});
// メッセージなどに付いているユーザー情報は省略されている場合があるので完全なユーザー情報を持ってくる
this.ai.api('users/show', {
userId: this.userId
}).then(user => {
userId: this.userId,
}).then((user) => {
this.friend.updateUser(user);
});
}
@ -88,7 +88,7 @@ export default class Message {
if (this.isDm) {
return await this.ai.sendMessage(this.messageOrNote.userId, {
text: text,
fileId: opts?.file?.id
fileId: opts?.file?.id,
});
} else {
return await this.ai.post({
@ -96,7 +96,7 @@ export default class Message {
text: text,
fileIds: opts?.file ? [opts?.file.id] : undefined,
cw: opts?.cw,
renoteId: opts?.renote
renoteId: opts?.renote,
});
}
}

View file

@ -7,7 +7,7 @@ export type Note = {
},
text: string | null;
cw: string | null;
visibility: "public" | "home" | "followers" | "specified";
visibility: 'public' | 'home' | 'followers' | 'specified';
reply: any | null;
poll?: {
choices: {

View file

@ -1,5 +1,5 @@
import autobind from 'autobind-decorator';
import , { InstallerResult } from '@/ai';
import , {InstallerResult} from '@/ai';
export default abstract class Module {
public abstract readonly name: string;
@ -11,13 +11,13 @@ export default abstract class Module {
this.ai = ai;
this.doc = this.ai.moduleData.findOne({
module: this.name
module: this.name,
});
if (this.doc == null) {
this.doc = this.ai.moduleData.insertOne({
module: this.name,
data: {}
data: {},
});
}
}

View file

@ -30,11 +30,11 @@ export default class extends Module {
const today = `${zeroPadding(m + 1, 2)}-${zeroPadding(d, 2)}`;
const birthFriends = this.ai.friends.find({
'user.birthday': { '$regex': new RegExp('-' + today + '$') }
'user.birthday': {'$regex': new RegExp('-' + today + '$')},
} as any);
birthFriends.forEach(f => {
const friend = new Friend(this.ai, { doc: f });
birthFriends.forEach((f) => {
const friend = new Friend(this.ai, {doc: f});
// 親愛度が3以上必要
if (friend.love < 3) return;
@ -49,7 +49,7 @@ export default class extends Module {
const text = serifs.birthday.happyBirthday(friend.name);
this.ai.sendMessage(friend.userId, {
text: text
text: text,
});
});
}

View file

@ -2,8 +2,8 @@ import autobind from 'autobind-decorator';
import Module from '@/module';
import serifs from '@/serifs';
import Message from '@/message';
import { renderChart } from './render-chart';
import { items } from '@/vocabulary';
import {renderChart} from './render-chart';
import {items} from '@/vocabulary';
import config from '@/config';
type chartType = 'userNotes'| 'notes' | 'followers' | 'random';
@ -18,7 +18,7 @@ export default class extends Module {
setInterval(this.post, 1000 * 60 * 3);
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -38,7 +38,7 @@ export default class extends Module {
this.log('Posting...');
this.ai.post({
text: serifs.chart.post,
fileIds: [file.id]
fileIds: [file.id],
});
}
@ -52,33 +52,33 @@ export default class extends Module {
const data = await this.ai.api('charts/user/notes', {
span: 'day',
limit: 30,
userId: params.user.id
userId: params.user.id,
});
chart = {
title: `@${params.user.username}さんの投稿数`,
datasets: [{
data: data.diffs.normal
data: data.diffs.normal,
}, {
data: data.diffs.reply
data: data.diffs.reply,
}, {
data: data.diffs.renote
}]
data: data.diffs.renote,
}],
};
} else if (type === 'followers') {
const data = await this.ai.api('charts/user/following', {
span: 'day',
limit: 30,
userId: params.user.id
userId: params.user.id,
});
chart = {
title: `@${params.user.username}さんのフォロワー数`,
datasets: [{
data: data.local.followers.total
data: data.local.followers.total,
}, {
data: data.remote.followers.total
}]
data: data.remote.followers.total,
}],
};
} else if (type === 'notes') {
const data = await this.ai.api('charts/notes', {
@ -88,12 +88,12 @@ export default class extends Module {
chart = {
datasets: [{
data: data.local.diffs.normal
data: data.local.diffs.normal,
}, {
data: data.local.diffs.reply
data: data.local.diffs.reply,
}, {
data: data.local.diffs.renote
}]
data: data.local.diffs.renote,
}],
};
} else {
const suffixes = ['の売り上げ', 'の消費', 'の生産'];
@ -102,10 +102,10 @@ export default class extends Module {
const diffRange = 150;
const datasetCount = 1 + Math.floor(Math.random() * 3);
let datasets: any[] = [];
const datasets: any[] = [];
for (let d = 0; d < datasetCount; d++) {
let values = [Math.random() * 1000];
const values = [Math.random() * 1000];
for (let i = 1; i < limit; i++) {
const prev = values[i - 1];
@ -113,13 +113,13 @@ export default class extends Module {
}
datasets.push({
data: values
data: values,
});
}
chart = {
title: items[Math.floor(Math.random() * items.length)] + suffixes[Math.floor(Math.random() * suffixes.length)],
datasets: datasets
datasets: datasets,
};
}
@ -129,7 +129,7 @@ export default class extends Module {
this.log('Image uploading...');
const file = await this.ai.upload(img, {
filename: 'chart.png',
contentType: 'image/png'
contentType: 'image/png',
});
return file;
@ -148,14 +148,14 @@ export default class extends Module {
if (msg.includes(['投稿'])) type = 'userNotes';
const file = await this.genChart(type, {
user: msg.user
user: msg.user,
});
this.log('Replying...');
msg.reply(serifs.chart.foryou, { file });
msg.reply(serifs.chart.foryou, {file});
return {
reaction: 'like'
reaction: 'like',
};
}
}

View file

@ -1,4 +1,4 @@
import { createCanvas, registerFont } from 'canvas';
import {createCanvas, registerFont} from 'canvas';
const width = 1024 + 256;
const height = 512 + 256;
@ -18,7 +18,7 @@ const colors = {
'#69d2e7',
'#f38630',
'#f9d423',
]
],
};
const yAxisTicks = 4;
@ -32,7 +32,7 @@ type Chart = {
};
export function renderChart(chart: Chart) {
registerFont('./font.ttf', { family: 'CustomFont' });
registerFont('./font.ttf', {family: 'CustomFont'});
const canvas = createCanvas(width, height);
const ctx = canvas.getContext('2d');
@ -42,9 +42,9 @@ export function renderChart(chart: Chart) {
ctx.beginPath();
ctx.fillRect(0, 0, width, height);
let chartAreaX = margin;
const chartAreaX = margin;
let chartAreaY = margin;
let chartAreaWidth = width - (margin * 2);
const chartAreaWidth = width - (margin * 2);
let chartAreaHeight = height - (margin * 2);
// Draw title
@ -100,7 +100,7 @@ export function renderChart(chart: Chart) {
for (let series = 0; series < serieses; series++) {
newDatasets.push({
data: []
data: [],
});
}

View file

@ -1,7 +1,7 @@
import autobind from 'autobind-decorator';
import Module from '@/module';
import Message from '@/message';
import { generateColorSample } from './render';
import {generateColorSample} from './render';
export default class extends Module {
public readonly name = 'color';
@ -9,28 +9,28 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@autobind
private async mentionHook(msg: Message) {
if (msg.text && msg.text.includes('色決めて')) {
// rgbをそれぞれ乱数で生成する
const r = Math.floor(Math.random() * 256);
const g = Math.floor(Math.random() * 256);
const b = Math.floor(Math.random() * 256);
// rgbをhexに変換する
const hex = `${r.toString(16)}${g.toString(16)}${b.toString(16)}`;
const message = `RGB: ${r}, ${g}, ${b} \`(#${hex})\`とかどう?`
// rgbをそれぞれ乱数で生成する
const r = Math.floor(Math.random() * 256);
const g = Math.floor(Math.random() * 256);
const b = Math.floor(Math.random() * 256);
// rgbをhexに変換する
const hex = `${r.toString(16)}${g.toString(16)}${b.toString(16)}`;
const message = `RGB: ${r}, ${g}, ${b} \`(#${hex})\`とかどう?`;
setTimeout(async () => {
const file = await this.getColorSampleFile(r,g,b);
const file = await this.getColorSampleFile(r, g, b);
this.log('Replying...');
msg.reply(message, { file });
msg.reply(message, {file});
}, 500);
return {
reaction: '🎨'
reaction: '🎨',
};
} else {
return false;
@ -38,13 +38,13 @@ export default class extends Module {
}
@autobind
private async getColorSampleFile(r: number,g: number,b: number): Promise<any> {
const colorSample = generateColorSample(r,g,b);
private async getColorSampleFile(r: number, g: number, b: number): Promise<any> {
const colorSample = generateColorSample(r, g, b);
this.log('Image uploading...');
const file = await this.ai.upload(colorSample, {
filename: 'color.png',
contentType: 'image/png'
contentType: 'image/png',
});
return file;

View file

@ -1,17 +1,17 @@
import { createCanvas } from 'canvas';
import {createCanvas} from 'canvas';
const imageSize = 1; //px
const imageSize = 1; // px
export function generateColorSample(r: number, g: number, b: number): Buffer {
const canvas = createCanvas(imageSize, imageSize);
const ctx = canvas.getContext('2d');
ctx.antialias = 'none';
const canvas = createCanvas(imageSize, imageSize);
const ctx = canvas.getContext('2d');
ctx.antialias = 'none';
// 引数で渡されたrgb値を基準に、色を塗りつぶす
ctx.fillStyle = `rgb(${r},${g},${b})`;
ctx.beginPath();
ctx.fillRect(0, 0, imageSize, imageSize);
// 引数で渡されたrgb値を基準に、色を塗りつぶす
ctx.fillStyle = `rgb(${r},${g},${b})`;
ctx.beginPath();
ctx.fillRect(0, 0, imageSize, imageSize);
// canvas.toBuffer()をreturn
return canvas.toBuffer();
// canvas.toBuffer()をreturn
return canvas.toBuffer();
}

View file

@ -2,7 +2,7 @@ import autobind from 'autobind-decorator';
import Module from '@/module';
import Message from '@/message';
import serifs from '@/serifs';
import { safeForInterpolate } from '@/utils/safe-for-interpolate';
import {safeForInterpolate} from '@/utils/safe-for-interpolate';
const titles = ['さん', 'くん', '君', 'ちゃん', '様', '先生'];
@ -13,7 +13,7 @@ export default class extends Module {
public install() {
return {
mentionHook: this.mentionHook,
contextHook: this.contextHook
contextHook: this.contextHook,
};
}
@ -31,7 +31,7 @@ export default class extends Module {
}
@autobind
private transferBegin(msg: Message): boolean {
private transferBegin(msg: Message): boolean {
if (!msg.text) return false;
if (!msg.includes(['引継', '引き継ぎ', '引越', '引っ越し'])) return false;
@ -49,7 +49,7 @@ export default class extends Module {
}
@autobind
private transferEnd(msg: Message): boolean {
private transferEnd(msg: Message): boolean {
if (!msg.text) return false;
if (!msg.text.startsWith('「') || !msg.text.endsWith('」')) return false;
@ -67,7 +67,7 @@ export default class extends Module {
}
@autobind
private setName(msg: Message): boolean {
private setName(msg: Message): boolean {
if (!msg.text) return false;
if (!msg.text.includes('って呼んで')) return false;
if (msg.text.startsWith('って呼んで')) return false;
@ -87,15 +87,15 @@ export default class extends Module {
return true;
}
const withSan = titles.some(t => name.endsWith(t));
const withSan = titles.some((t) => name.endsWith(t));
if (withSan) {
msg.friend.updateName(name);
msg.reply(serifs.core.setNameOk(name));
} else {
msg.reply(serifs.core.san).then(reply => {
msg.reply(serifs.core.san).then((reply) => {
this.subscribeReply(msg.userId, msg.isDm, msg.isDm ? msg.userId : reply.id, {
name: name
name: name,
});
});
}
@ -104,7 +104,7 @@ export default class extends Module {
}
@autobind
private modules(msg: Message): boolean {
private modules(msg: Message): boolean {
if (!msg.text) return false;
if (!msg.or(['modules'])) return false;
@ -117,19 +117,19 @@ export default class extends Module {
text += '```';
msg.reply(text, {
immediate: true
immediate: true,
});
return true;
}
@autobind
private version(msg: Message): boolean {
private version(msg: Message): boolean {
if (!msg.text) return false;
if (!msg.or(['v', 'version', 'バージョン'])) return false;
msg.reply(`\`\`\`\nv${this.ai.version}\n\`\`\``, {
immediate: true
immediate: true,
});
return true;
@ -151,7 +151,7 @@ export default class extends Module {
msg.friend.updateName(data.name);
done();
} else {
msg.reply(serifs.core.yesOrNo).then(reply => {
msg.reply(serifs.core.yesOrNo).then((reply) => {
this.subscribeReply(msg.userId, msg.isDm, reply.id, data);
});
}

View file

@ -8,21 +8,21 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@autobind
private async mentionHook(msg: Message) {
if (msg.text && msg.text.includes('って何')) {
// msg.textのうち、「の意味は」の直前で、「@ai」よりも後の物を抽出
const dic_prefix = "https://www.weblio.jp/content/";
const raw_word = msg.text.split('って何')[0].split('@ai')[1].trim();
// スペースがある場合は、半角スペースを除去
const word = raw_word.replace(/\s/g, '');
const url = dic_prefix + encodeURIComponent(word);
// msg.textのうち、「の意味は」の直前で、「@ai」よりも後の物を抽出
const dicPrefix = 'https://www.weblio.jp/content/';
const rawWord = msg.text.split('って何')[0].split('@ai')[1].trim();
// スペースがある場合は、半角スペースを除去
const word = rawWord.replace(/\s/g, '');
const url = dicPrefix + encodeURIComponent(word);
msg.reply(`こんな意味っぽい?> [${word}](${url})`, {
immediate: true
immediate: true,
});
return true;
} else {

View file

@ -9,7 +9,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}

View file

@ -1,13 +1,13 @@
import autobind from "autobind-decorator";
import Module from "@/module";
import config from "@/config";
import Message from "@/message";
import * as http from "http";
import autobind from 'autobind-decorator';
import Module from '@/module';
import config from '@/config';
import Message from '@/message';
import * as http from 'http';
// 基本的に生データはstringばっかり。都合のいい形に加工済みの状態の型定義を書いています。
// ここでいくらか言及されてる(https://bultar.bbs.fc2.com/?act=reply&tid=5645851);
interface {
type: "eew";
type: 'eew';
time: Date;
report: string; // 第n報 最終報はstringで'final'となるので、とりあえずstring型
epicenter: string; // 震源地
@ -20,12 +20,12 @@ interface 緊急地震速報 {
}
interface {
type: "pga_alert_cancel";
type: 'pga_alert_cancel';
time: Date;
}
interface {
type: "intensity_report";
type: 'intensity_report';
time: string;
max_index: number;
intensity_list: {
@ -36,7 +36,7 @@ interface 震度レポート {
}
interface {
type: "pga_alert";
type: 'pga_alert';
time: Date;
max_pga: number;
new: boolean;
@ -45,115 +45,115 @@ interface 地震検知 {
}
export default class extends Module {
public readonly name = "earthquake";
private message: string = "";
public readonly name = 'earthquake';
private message: string = '';
private thresholdVal = 3; // 下の配列の添え字に相当する値。しきい値以上のものについて通知を出す。 普段は3(震度2)
private earthquakeIntensityIndex: string[] = [
"0未満",
"0",
"1",
"2",
"3",
"4",
"5弱",
"5強",
"6弱",
"6強",
"7",
];
private earthquakeIntensityIndex: string[] = [
'0未満',
'0',
'1',
'2',
'3',
'4',
'5弱',
'5強',
'6弱',
'6強',
'7',
];
@autobind
public install() {
this.createListenServer();
return {};
}
public install() {
this.createListenServer();
return {};
}
@autobind
private async createListenServer() {
http.createServer(async (req, res) => {
this.message = "";
const buffers: Buffer[] = [];
for await (const chunk of req) {
buffers.push(chunk);
}
http.createServer(async (req, res) => {
this.message = '';
const buffers: Buffer[] = [];
for await (const chunk of req) {
buffers.push(chunk);
}
const rawDataString = Buffer.concat(buffers).toString();
// rawDataString について、Unicodeエスケープシーケンスが含まれていたら通常の文字列に変換する
// JSONでなければreturn falseする
if (rawDataString.match(/\\u[0-9a-f]{4}/)) {
const rawDataJSON = JSON.parse(
rawDataString.replace(/\\u([\d\w]{4})/g, (match, p1) => {
return String.fromCharCode(parseInt(p1, 16));
}),
);
const rawDataString = Buffer.concat(buffers).toString();
// rawDataString について、Unicodeエスケープシーケンスが含まれていたら通常の文字列に変換する
// JSONでなければreturn falseする
if (rawDataString.match(/\\u[0-9a-f]{4}/)) {
const rawDataJSON = JSON.parse(
rawDataString.replace(/\\u([\d\w]{4})/g, (match, p1) => {
return String.fromCharCode(parseInt(p1, 16));
}),
);
if (rawDataJSON.type == "intensity_report") {
if (rawDataJSON.max_index >= this.thresholdVal - 1) {
// 日付時刻は、yyyy-mm-dd hh:mm:ss
const time = new Date(parseInt(rawDataJSON.time));
const timeString = `${time.getFullYear()}-${(time.getMonth() +
if (rawDataJSON.type == 'intensity_report') {
if (rawDataJSON.max_index >= this.thresholdVal - 1) {
// 日付時刻は、yyyy-mm-dd hh:mm:ss
const time = new Date(parseInt(rawDataJSON.time));
const timeString = `${time.getFullYear()}-${(time.getMonth() +
1).toString().padStart(2, '0')}-${time.getDate().toString().padStart(2, '0')} ${time.getHours().toString().padStart(2, '0')}:${time.getMinutes().toString().padStart(2, '0')}:${time.getSeconds().toString().padStart(2, '0')}`;
const data: 震度レポート = {
type: rawDataJSON.type,
time: timeString,
max_index: rawDataJSON.max_index,
intensity_list: rawDataJSON.intensity_list,
};
this.message =
const data: 震度レポート = {
type: rawDataJSON.type,
time: timeString,
max_index: rawDataJSON.max_index,
intensity_list: rawDataJSON.intensity_list,
};
this.message =
`地震かも?\n\`\`\`\n震度レポート\n${data.time}\n最大震度: ${
this.earthquakeIntensityIndex[data.max_index + 1]
}\n\n${
data.intensity_list.map((intensity) =>
`震度${this.earthquakeIntensityIndex[intensity.index + 1]}: ${
intensity.region_list.join(" ")
}`
).join("\n")
intensity.region_list.join(' ')
}`,
).join('\n')
}\n\`\`\``;
}
}
if (rawDataJSON.type == "eew") { // これ使わなさそうだしとりあえず入らないようにした
const data: 緊急地震速報 = {
type: rawDataJSON.type,
time: new Date(parseInt(rawDataJSON.time)),
report: rawDataJSON.report,
epicenter: rawDataJSON.epicenter,
depth: rawDataJSON.depth,
magnitude: rawDataJSON.magnitude,
latitude: rawDataJSON.latitude,
longitude: rawDataJSON.longitude,
intensity: rawDataJSON.intensity,
index: rawDataJSON.index,
};
}
}
if (rawDataJSON.type == 'eew') { // これ使わなさそうだしとりあえず入らないようにした
const data: 緊急地震速報 = {
type: rawDataJSON.type,
time: new Date(parseInt(rawDataJSON.time)),
report: rawDataJSON.report,
epicenter: rawDataJSON.epicenter,
depth: rawDataJSON.depth,
magnitude: rawDataJSON.magnitude,
latitude: rawDataJSON.latitude,
longitude: rawDataJSON.longitude,
intensity: rawDataJSON.intensity,
index: rawDataJSON.index,
};
if (data.report == "final") { // && data.index >= this.thresholdVal - 1
const timeString = `${data.time.getFullYear()}-${(data.time.getMonth() +
if (data.report == 'final') { // && data.index >= this.thresholdVal - 1
const timeString = `${data.time.getFullYear()}-${(data.time.getMonth() +
1).toString().padStart(2, '0')}-${data.time.getDate().toString().padStart(2, '0')} ${data.time.getHours().toString().padStart(2, '0')}:${data.time.getMinutes().toString().padStart(2, '0')}:${data.time.getSeconds().toString().padStart(2, '0')}`;
this.message = `\`\`\`\n緊急地震速報(最終報)\n${timeString}\n震源地: ${data.epicenter}\n震源の深さ: ${data.depth}\n最大予測震度: ${this.earthquakeIntensityIndex[data.index + 1]}\nマグニチュード: ${data.magnitude}\n\`\`\``;
}
}
this.message = `\`\`\`\n緊急地震速報(最終報)\n${timeString}\n震源地: ${data.epicenter}\n震源の深さ: ${data.depth}\n最大予測震度: ${this.earthquakeIntensityIndex[data.index + 1]}\nマグニチュード: ${data.magnitude}\n\`\`\``;
}
}
console.table(rawDataJSON); // デバッグ用
if (rawDataJSON.type == 'intensity_report') {
console.table(rawDataJSON.intensity_list); // デバッグ用
}
console.table(rawDataJSON); // デバッグ用
if (rawDataJSON.type == 'intensity_report') {
console.table(rawDataJSON.intensity_list); // デバッグ用
}
this.returnResponse(res, "ok");
if (this.message) {
this.ai.post({
visibility: "home",
text: this.message,
});
}
}
}).listen(config.earthQuakeMonitorPort || 9999);
this.returnResponse(res, 'ok');
if (this.message) {
this.ai.post({
visibility: 'home',
text: this.message,
});
}
}
}).listen(config.earthQuakeMonitorPort || 9999);
}
@autobind
private returnResponse(res: http.ServerResponse, text: string) {
res.writeHead(200, {
"Content-Type": "text/plain",
});
res.end(text);
res.writeHead(200, {
'Content-Type': 'text/plain',
});
res.end(text);
}
}

View file

@ -1,8 +1,8 @@
import autobind from 'autobind-decorator';
import { parse } from 'twemoji-parser';
import {parse} from 'twemoji-parser';
const delay = require('timeout-as-promise');
import { Note } from '@/misskey/note';
import {Note} from '@/misskey/note';
import Module from '@/module';
import Stream from '@/stream';
import includes from '@/utils/includes';
@ -32,7 +32,7 @@ export default class extends Module {
}
this.ai.api('notes/reactions/create', {
noteId: note.id,
reaction: reaction
reaction: reaction,
});
};
@ -45,14 +45,14 @@ export default class extends Module {
return await react(':erait:');
}
if (includes(note.text, ['いい']) && (includes(note.text, ["?"]) || includes(note.text, [""]))) {
// 50%の確率で":dame:"または":yattare:"を返す
if (Math.random() < 0.5) {
return react(':dame:');
} else {
return react(':yattare:');
}
}
if (includes(note.text, ['いい']) && (includes(note.text, ['?']) || includes(note.text, ['']))) {
// 50%の確率で":dame:"または":yattare:"を返す
if (Math.random() < 0.5) {
return react(':dame:');
} else {
return react(':yattare:');
}
}
if (includes(note.text, ['どこ'])) {
return await react(':t_ofuton:');
@ -68,19 +68,19 @@ export default class extends Module {
return react(customEmojis[0]);
}
const emojis = parse(note.text).map(x => x.text);
const emojis = parse(note.text).map((x) => x.text);
if (emojis.length > 0) {
// 絵文字が複数種類ある場合はキャンセル
if (!emojis.every((val, i, arr) => val === arr[0])) return;
this.log(`Emoji detected - ${emojis[0]}`);
let reaction = emojis[0];
const reaction = emojis[0];
switch (reaction) {
case '✊': return react('🖐', true);
case '✌': return react('✊', true);
case '🖐': case '✋': return react('✌', true);
case '✊': return react('🖐', true);
case '✌': return react('✊', true);
case '🖐': case '✋': return react('✌', true);
}
return react(reaction);
@ -93,7 +93,7 @@ export default class extends Module {
if (includes(note.text, ['ずなず']) || includes(note.text, ['ずにゃず'])) return react('🙌');
if (includes(note.text, ['なず']) || includes(note.text, ['にゃず'])) {
if (this.ai.isMaster(note.userId)) {
return react(':google_hart:')
return react(':google_hart:');
}
return react(':oltu:');
};
@ -101,9 +101,9 @@ export default class extends Module {
const gameReact = [
':ysvi:',
':ysf:',
':yso:'
]
if (includes(note.text, ['おゲームするかしら'])){
':yso:',
];
if (includes(note.text, ['おゲームするかしら'])) {
// gameReactの中からランダムに選択
return react(gameReact[Math.floor(Math.random() * gameReact.length)]);
}

View file

@ -30,8 +30,8 @@ const hands = [
'🤙',
'💪',
['💪', '✌'],
'🖕'
]
'🖕',
];
const faces = [
'😀',
@ -123,8 +123,8 @@ const faces = [
'🤠',
'🗿',
'🤖',
'👽'
]
'👽',
];
export default class extends Module {
public readonly name = 'emoji';
@ -132,7 +132,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}

View file

@ -8,7 +8,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -20,11 +20,11 @@ export default class extends Module {
userId: msg.userId,
});
return {
reaction: msg.friend.love >= 0 ? 'like' : null
reaction: msg.friend.love >= 0 ? 'like' : null,
};
} else {
return {
reaction: msg.friend.love >= 0 ? 'hmm' : null
reaction: msg.friend.love >= 0 ? 'hmm' : null,
};
}
} else {

View file

@ -3,7 +3,7 @@ import Module from '@/module';
import Message from '@/message';
import serifs from '@/serifs';
import * as seedrandom from 'seedrandom';
import { genItem } from '@/vocabulary';
import {genItem} from '@/vocabulary';
export const blessing = [
'藍吉',
@ -43,7 +43,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -56,7 +56,7 @@ export default class extends Module {
const omikuji = blessing[Math.floor(rng() * blessing.length)];
const item = genItem(rng);
msg.reply(`**${omikuji}🎉**\nラッキーアイテム: ${item}`, {
cw: serifs.fortune.cw(msg.friend.name)
cw: serifs.fortune.cw(msg.friend.name),
});
return true;
} else {

View file

@ -19,12 +19,12 @@ export default class extends Module {
@autobind
public install() {
this.guesses = this.ai.getCollection('guessingGame', {
indices: ['userId']
indices: ['userId'],
});
return {
mentionHook: this.mentionHook,
contextHook: this.contextHook
contextHook: this.contextHook,
};
}
@ -34,7 +34,7 @@ export default class extends Module {
const exist = this.guesses.findOne({
userId: msg.userId,
isEnded: false
isEnded: false,
});
if (!msg.isDm) {
@ -55,10 +55,10 @@ export default class extends Module {
tries: [],
isEnded: false,
startedAt: Date.now(),
endedAt: null
endedAt: null,
});
msg.reply(serifs.guessingGame.started).then(reply => {
msg.reply(serifs.guessingGame.started).then((reply) => {
this.subscribeReply(msg.userId, msg.isDm, msg.isDm ? msg.userId : reply.id);
});
@ -71,7 +71,7 @@ export default class extends Module {
const exist = this.guesses.findOne({
userId: msg.userId,
isEnded: false
isEnded: false,
});
// 処理の流れ上、実際にnullになることは無さそうだけど一応
@ -92,7 +92,7 @@ export default class extends Module {
const guess = msg.extractedText.match(/[0-9]+/);
if (guess == null) {
msg.reply(serifs.guessingGame.nan).then(reply => {
msg.reply(serifs.guessingGame.nan).then((reply) => {
this.subscribeReply(msg.userId, msg.isDm, reply.id);
});
return;
@ -109,13 +109,13 @@ export default class extends Module {
let end = false;
if (exist.secret < g) {
text = firsttime
? serifs.guessingGame.less(g.toString())
: serifs.guessingGame.lessAgain(g.toString());
text = firsttime ?
serifs.guessingGame.less(g.toString()) :
serifs.guessingGame.lessAgain(g.toString());
} else if (exist.secret > g) {
text = firsttime
? serifs.guessingGame.grater(g.toString())
: serifs.guessingGame.graterAgain(g.toString());
text = firsttime ?
serifs.guessingGame.grater(g.toString()) :
serifs.guessingGame.graterAgain(g.toString());
} else {
end = true;
text = serifs.guessingGame.congrats(exist.tries.length.toString());
@ -129,7 +129,7 @@ export default class extends Module {
this.guesses.update(exist);
msg.reply(text).then(reply => {
msg.reply(text).then((reply) => {
if (!end) {
this.subscribeReply(msg.userId, msg.isDm, reply.id);
}

View file

@ -3,8 +3,8 @@ import * as loki from 'lokijs';
import Module from '@/module';
import Message from '@/message';
import serifs from '@/serifs';
import { User } from '@/misskey/user';
import { acct } from '@/utils/acct';
import {User} from '@/misskey/user';
import {acct} from '@/utils/acct';
type Game = {
votes: {
@ -36,7 +36,7 @@ export default class extends Module {
return {
mentionHook: this.mentionHook,
contextHook: this.contextHook
contextHook: this.contextHook,
};
}
@ -52,7 +52,7 @@ export default class extends Module {
// 現在アクティブなゲームがある場合
if (!recentGame.isEnded) {
msg.reply(serifs.kazutori.alreadyStarted, {
renote: recentGame.postId
renote: recentGame.postId,
});
return true;
}
@ -65,14 +65,14 @@ export default class extends Module {
}
const post = await this.ai.post({
text: serifs.kazutori.intro(limitMinutes)
text: serifs.kazutori.intro(limitMinutes),
});
this.games.insertOne({
votes: [],
isEnded: false,
startedAt: Date.now(),
postId: post.id
postId: post.id,
});
this.subscribeReply(null, false, post.id);
@ -84,38 +84,48 @@ export default class extends Module {
@autobind
private async contextHook(key: any, msg: Message) {
if (msg.text == null) return {
reaction: 'hmm'
};
if (msg.text == null) {
return {
reaction: 'hmm',
};
}
const game = this.games.findOne({
isEnded: false
isEnded: false,
});
// 処理の流れ上、実際にnullになることは無さそうだけど一応
if (game == null) return;
// 既に数字を取っていたら
if (game.votes.some(x => x.user.id == msg.userId)) return {
reaction: 'confused'
};
if (game.votes.some((x) => x.user.id == msg.userId)) {
return {
reaction: 'confused',
};
}
const match = msg.extractedText.match(/[0-9]+/);
if (match == null) return {
reaction: 'hmm'
};
if (match == null) {
return {
reaction: 'hmm',
};
}
const num = parseInt(match[0], 10);
// 整数じゃない
if (!Number.isInteger(num)) return {
reaction: 'hmm'
};
if (!Number.isInteger(num)) {
return {
reaction: 'hmm',
};
}
// 範囲外
if (num < 0 || num > 100) return {
reaction: 'confused'
};
if (num < 0 || num > 100) {
return {
reaction: 'confused',
};
}
this.log(`Voted ${num} by ${msg.user.id}`);
@ -124,15 +134,15 @@ export default class extends Module {
user: {
id: msg.user.id,
username: msg.user.username,
host: msg.user.host
host: msg.user.host,
},
number: num
number: num,
});
this.games.update(game);
return {
reaction: 'like'
reaction: 'like',
};
}
@ -142,7 +152,7 @@ export default class extends Module {
@autobind
private crawleGameEnd() {
const game = this.games.findOne({
isEnded: false
isEnded: false,
});
if (game == null) return;
@ -167,19 +177,19 @@ export default class extends Module {
if (game.votes.length <= 1) {
this.ai.post({
text: serifs.kazutori.onagare,
renoteId: game.postId
renoteId: game.postId,
});
return;
}
let results: string[] = [];
const results: string[] = [];
let winner: Game['votes'][0]['user'] | null = null;
for (let i = 100; i >= 0; i--) {
const users = game.votes
.filter(x => x.number == i)
.map(x => x.user);
.filter((x) => x.number == i)
.map((x) => x.user);
if (users.length == 1) {
if (winner == null) {
@ -190,21 +200,21 @@ export default class extends Module {
results.push(` ${i}: ${acct(users[0])}`);
}
} else if (users.length > 1) {
results.push(`${i}: ${users.map(u => acct(u)).join(' ')}`);
results.push(`${i}: ${users.map((u) => acct(u)).join(' ')}`);
}
}
const winnerFriend = winner ? this.ai.lookupFriend(winner.id) : null;
const name = winnerFriend ? winnerFriend.name : null;
const text = results.join('\n') + '\n\n' + (winner
? serifs.kazutori.finishWithWinner(acct(winner), name)
: serifs.kazutori.finishWithNoWinner);
const text = results.join('\n') + '\n\n' + (winner ?
serifs.kazutori.finishWithWinner(acct(winner), name) :
serifs.kazutori.finishWithNoWinner);
this.ai.post({
text: text,
cw: serifs.kazutori.finish,
renoteId: game.postId
renoteId: game.postId,
});
this.unsubscribeReply(null);

View file

@ -3,11 +3,11 @@ import * as loki from 'lokijs';
import Module from '@/module';
import config from '@/config';
import serifs from '@/serifs';
import { mecab } from './mecab';
import { Note } from '@/misskey/note';
import {mecab} from './mecab';
import {Note} from '@/misskey/note';
function kanaToHira(str: string) {
return str.replace(/[\u30a1-\u30f6]/g, match => {
return str.replace(/[\u30a1-\u30f6]/g, (match) => {
const chr = match.charCodeAt(0) - 0x60;
return String.fromCharCode(chr);
});
@ -26,7 +26,7 @@ export default class extends Module {
if (!config.keywordEnabled) return {};
this.learnedKeywords = this.ai.getCollection('_keyword_learnedKeywords', {
indices: ['userId']
indices: ['userId'],
});
setInterval(this.learn, 1000 * 60 * 60);
@ -37,7 +37,7 @@ export default class extends Module {
@autobind
private async learn() {
const tl = await this.ai.api('notes/local-timeline', {
limit: 30
limit: 30,
});
const interestedNotes = tl.filter((note: Note) =>
@ -49,7 +49,7 @@ export default class extends Module {
for (const note of interestedNotes) {
const tokens = await mecab(note.text, config.mecab, config.mecabDic);
const keywordsInThisNote = tokens.filter(token => token[2] == '固有名詞' && token[8] != null);
const keywordsInThisNote = tokens.filter((token) => token[2] == '固有名詞' && token[8] != null);
keywords = keywords.concat(keywordsInThisNote);
}
@ -59,7 +59,7 @@ export default class extends Module {
const keyword = keywords.sort((a, b) => a[0].length < b[0].length ? 1 : -1)[rnd];
const exist = this.learnedKeywords.findOne({
keyword: keyword[0]
keyword: keyword[0],
});
let text: string;
@ -69,14 +69,14 @@ export default class extends Module {
} else {
this.learnedKeywords.insertOne({
keyword: keyword[0],
learnedAt: Date.now()
learnedAt: Date.now(),
});
text = serifs.keyword.learned(keyword[0], kanaToHira(keyword[8]));
}
this.ai.post({
text: text
text: text,
});
}
}

View file

@ -1,8 +1,8 @@
import { spawn } from 'child_process';
import {spawn} from 'child_process';
import * as util from 'util';
import * as stream from 'stream';
import * as memoryStreams from 'memory-streams';
import { EOL } from 'os';
import {EOL} from 'os';
const pipeline = util.promisify(stream.pipeline);

View file

@ -1,75 +1,75 @@
import * as gen from 'random-seed';
import { CellType } from './maze';
import {mazeSize} from './index'
import {CellType} from './maze';
import {mazeSize} from './index';
const cellVariants = {
void: {
digg: { left: null, right: null, top: null, bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: null, top: null, bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
empty: {
digg: { left: 'left', right: 'right', top: 'top', bottom: 'bottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'left', right: 'right', top: 'top', bottom: 'bottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
left: {
digg: { left: null, right: 'leftRight', top: 'leftTop', bottom: 'leftBottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: 'leftRight', top: 'leftTop', bottom: 'leftBottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
right: {
digg: { left: 'leftRight', right: null, top: 'rightTop', bottom: 'rightBottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'leftRight', right: null, top: 'rightTop', bottom: 'rightBottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
top: {
digg: { left: 'leftTop', right: 'rightTop', top: null, bottom: 'topBottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'leftTop', right: 'rightTop', top: null, bottom: 'topBottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
bottom: {
digg: { left: 'leftBottom', right: 'rightBottom', top: 'topBottom', bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'leftBottom', right: 'rightBottom', top: 'topBottom', bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
leftTop: {
digg: { left: null, right: 'leftRightTop', top: null, bottom: 'leftTopBottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: 'leftRightTop', top: null, bottom: 'leftTopBottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
leftBottom: {
digg: { left: null, right: 'leftRightBottom', top: 'leftTopBottom', bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: 'leftRightBottom', top: 'leftTopBottom', bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
rightTop: {
digg: { left: 'leftRightTop', right: null, top: null, bottom: 'rightTopBottom' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'leftRightTop', right: null, top: null, bottom: 'rightTopBottom'},
cross: {left: false, right: false, top: false, bottom: false},
},
rightBottom: {
digg: { left: 'leftRightBottom', right: null, top: 'rightTopBottom', bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'leftRightBottom', right: null, top: 'rightTopBottom', bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
leftRightTop: {
digg: { left: null, right: null, top: null, bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: null, top: null, bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
leftRightBottom: {
digg: { left: null, right: null, top: null, bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: null, top: null, bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
leftTopBottom: {
digg: { left: null, right: null, top: null, bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: null, top: null, bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
rightTopBottom: {
digg: { left: null, right: null, top: null, bottom: null },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: null, right: null, top: null, bottom: null},
cross: {left: false, right: false, top: false, bottom: false},
},
leftRight: {
digg: { left: null, right: null, top: 'leftRightTop', bottom: 'leftRightBottom' },
cross: { left: false, right: false, top: true, bottom: true },
digg: {left: null, right: null, top: 'leftRightTop', bottom: 'leftRightBottom'},
cross: {left: false, right: false, top: true, bottom: true},
},
topBottom: {
digg: { left: 'leftTopBottom', right: 'rightTopBottom', top: null, bottom: null },
cross: { left: true, right: true, top: false, bottom: false },
digg: {left: 'leftTopBottom', right: 'rightTopBottom', top: null, bottom: null},
cross: {left: true, right: true, top: false, bottom: false},
},
cross: {
digg: { left: 'cross', right: 'cross', top: 'cross', bottom: 'cross' },
cross: { left: false, right: false, top: false, bottom: false },
digg: {left: 'cross', right: 'cross', top: 'cross', bottom: 'cross'},
cross: {left: false, right: false, top: false, bottom: false},
},
} as { [k in CellType]: {
digg: { left: CellType | null; right: CellType | null; top: CellType | null; bottom: CellType | null; };
@ -92,7 +92,7 @@ export function genMaze(seed: string, complexity: mazeSize): CellType[][] {
return 11 + rand(21);
}
let mazeSize: number = decisionSize(complexity);
const mazeSize: number = decisionSize(complexity);
const donut = rand(3) === 0;
@ -121,11 +121,11 @@ export function genMaze(seed: string, complexity: mazeSize): CellType[][] {
if (cellVariants[maze[x][y]].digg[dir] === null) return false;
const newPos =
dir === 'top' ? { x: x, y: y - 1 } :
dir === 'bottom' ? { x: x, y: y + 1 } :
dir === 'left' ? { x: x - 1, y: y } :
dir === 'right' ? { x: x + 1, y: y } :
{ x, y };
dir === 'top' ? {x: x, y: y - 1} :
dir === 'bottom' ? {x: x, y: y + 1} :
dir === 'left' ? {x: x - 1, y: y} :
dir === 'right' ? {x: x + 1, y: y} :
{x, y};
if (newPos.x < 0 || newPos.y < 0 || newPos.x >= mazeSize || newPos.y >= mazeSize) return false;
@ -138,10 +138,10 @@ export function genMaze(seed: string, complexity: mazeSize): CellType[][] {
}
function diggFrom(x: number, y: number, prevDir?: Dir) {
const isUpDiggable = checkDiggable(x, y, 'top');
const isUpDiggable = checkDiggable(x, y, 'top');
const isRightDiggable = checkDiggable(x, y, 'right');
const isDownDiggable = checkDiggable(x, y, 'bottom');
const isLeftDiggable = checkDiggable(x, y, 'left');
const isDownDiggable = checkDiggable(x, y, 'bottom');
const isLeftDiggable = checkDiggable(x, y, 'left');
if (!isUpDiggable && !isRightDiggable && !isDownDiggable && !isLeftDiggable) return;
@ -186,7 +186,7 @@ export function genMaze(seed: string, complexity: mazeSize): CellType[][] {
}
}
//#region start digg
// #region start digg
const nonVoidCells: [number, number][] = [];
for (let y = 0; y < mazeSize; y++) {
@ -199,7 +199,7 @@ export function genMaze(seed: string, complexity: mazeSize): CellType[][] {
const origin = nonVoidCells[rand(nonVoidCells.length)];
diggFrom(origin[0], origin[1]);
//#endregion
// #endregion
let hasEmptyCell = true;
while (hasEmptyCell) {

View file

@ -1,8 +1,8 @@
import autobind from 'autobind-decorator';
import Module from '@/module';
import serifs from '@/serifs';
import { genMaze } from './gen-maze';
import { renderMaze } from './render-maze';
import {genMaze} from './gen-maze';
import {renderMaze} from './render-maze';
import Message from '@/message';
export type mazeSize = 'veryEasy' | 'easy' | 'hard' | 'veryHard' | 'ai' | undefined;
@ -16,7 +16,7 @@ export default class extends Module {
setInterval(this.post, 1000 * 60 * 3);
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -36,7 +36,7 @@ export default class extends Module {
this.log('Posting...');
this.ai.post({
text: serifs.maze.post,
fileIds: [file.id]
fileIds: [file.id],
});
}
@ -51,7 +51,7 @@ export default class extends Module {
this.log('Image uploading...');
const file = await this.ai.upload(data, {
filename: 'maze.png',
contentType: 'image/png'
contentType: 'image/png',
});
return file;
@ -70,10 +70,10 @@ export default class extends Module {
setTimeout(async () => {
const file = await this.genMazeFile(Date.now().toString(), size);
this.log('Replying...');
msg.reply(serifs.maze.foryou, { file });
msg.reply(serifs.maze.foryou, {file});
}, 3000);
return {
reaction: 'like'
reaction: 'like',
};
} else {
return false;

View file

@ -1,8 +1,8 @@
import * as gen from 'random-seed';
import { createCanvas, CanvasRenderingContext2D } from 'canvas';
import {createCanvas, CanvasRenderingContext2D} from 'canvas';
import { CellType } from './maze';
import { themes } from './themes';
import {CellType} from './maze';
import {themes} from './themes';
const imageSize = 4096; // px
const margin = 96 * 4;

View file

@ -1,41 +1,41 @@
import autobind from 'autobind-decorator';
import Module from '@/module';
import Message from '@/message';
import { JSDOM } from 'jsdom';
import {JSDOM} from 'jsdom';
export default class extends Module {
public readonly name = 'menu';
public readonly name = 'menu';
@autobind
public install() {
return {
mentionHook: this.mentionHook
};
}
public install() {
return {
mentionHook: this.mentionHook,
};
}
@autobind
private async mentionHook(msg: Message): Promise<boolean> {
if (msg.text && msg.text.includes('ごはん')) {
// 1~2535111の適当な数字を取得
const random_number = Math.floor(Math.random() * 2535111) + 1;
const url = `https://cookpad.com/recipe/${random_number}`;
//testUrlして、200以外なら再取得
const res = await fetch(url);
if (res.status !== 200) {
return this.mentionHook(msg);
} else {
//jsdomを利用してレシピのタイトルを取得
const dom = new JSDOM(await res.text());
//@ts-ignore
let title = dom.window.document.querySelector('h1.recipe-title').textContent;
// titleから改行を除去
title = title!.replace(/\n/g, '');
msg.reply(`こんなのどう?> [${title}](${url})`, {
immediate: true
});
return true;
}
}
return false;
if (msg.text && msg.text.includes('ごはん')) {
// 1~2535111の適当な数字を取得
const randomNumber = Math.floor(Math.random() * 2535111) + 1;
const url = `https://cookpad.com/recipe/${randomNumber}`;
// testUrlして、200以外なら再取得
const res = await fetch(url);
if (res.status !== 200) {
return this.mentionHook(msg);
} else {
// jsdomを利用してレシピのタイトルを取得
const dom = new JSDOM(await res.text());
// @ts-ignore
let title = dom.window.document.querySelector('h1.recipe-title').textContent;
// titleから改行を除去
title = title!.replace(/\n/g, '');
msg.reply(`こんなのどう?> [${title}](${url})`, {
immediate: true,
});
return true;
}
}
return false;
}
}

View file

@ -1,7 +1,7 @@
import autobind from 'autobind-decorator';
import Module from '@/module';
import serifs from '@/serifs';
import { genItem } from '@/vocabulary';
import {genItem} from '@/vocabulary';
import config from '@/config';
export default class extends Module {
@ -43,7 +43,7 @@ export default class extends Module {
// TODO: 季節に応じたセリフ
this.ai.post({
text: typeof note === 'function' ? note() : note
text: typeof note === 'function' ? note() : note,
});
}
}

View file

@ -8,7 +8,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -18,14 +18,14 @@ export default class extends Module {
if (msg.text.includes('おい')) {
if (this.ai.isMaster(msg.userId)) {
msg.reply('はい。。。', {
immediate: true
immediate: true,
});
} else {
return false;
}
} else {
msg.reply('PONG!', {
immediate: true
immediate: true,
});
}
return true;

View file

@ -2,9 +2,9 @@ import autobind from 'autobind-decorator';
import Message from '@/message';
import Module from '@/module';
import serifs from '@/serifs';
import { genItem } from '@/vocabulary';
import {genItem} from '@/vocabulary';
import config from '@/config';
import { Note } from '@/misskey/note';
import {Note} from '@/misskey/note';
export default class extends Module {
public readonly name = 'poll';
@ -79,7 +79,7 @@ export default class extends Module {
choices,
expiredAfter: duration,
multiple: false,
}
},
});
// タイマーセット
@ -103,8 +103,8 @@ export default class extends Module {
}
@autobind
private async timeoutCallback({ title, noteId }) {
const note: Note = await this.ai.api('notes/show', { noteId });
private async timeoutCallback({title, noteId}) {
const note: Note = await this.ai.api('notes/show', {noteId});
const choices = note.poll!.choices;
@ -121,7 +121,7 @@ export default class extends Module {
}
}
const mostVotedChoices = choices.filter(choice => choice.votes === mostVotedChoice.votes);
const mostVotedChoices = choices.filter((choice) => choice.votes === mostVotedChoice.votes);
if (mostVotedChoice.votes === 0) {
this.ai.post({ // TODO: Extract serif
@ -135,7 +135,7 @@ export default class extends Module {
renoteId: noteId,
});
} else {
const choices = mostVotedChoices.map(choice => `${choice.text}`).join('と');
const choices = mostVotedChoices.map((choice) => `${choice.text}`).join('と');
this.ai.post({ // TODO: Extract serif
cw: `${title}アンケートの結果発表です!`,
text: `結果は${mostVotedChoice.votes}票の${choices}でした!`,

View file

@ -2,8 +2,8 @@ import autobind from 'autobind-decorator';
import * as loki from 'lokijs';
import Module from '@/module';
import Message from '@/message';
import serifs, { getSerif } from '@/serifs';
import { acct } from '@/utils/acct';
import serifs, {getSerif} from '@/serifs';
import {acct} from '@/utils/acct';
import config from '@/config';
const NOTIFY_INTERVAL = 1000 * 60 * 60 * 12;
@ -24,7 +24,7 @@ export default class extends Module {
@autobind
public install() {
this.reminds = this.ai.getCollection('reminds', {
indices: ['userId', 'id']
indices: ['userId', 'id'],
});
return {
@ -44,9 +44,9 @@ export default class extends Module {
userId: msg.userId,
});
const getQuoteLink = id => `[${id}](${config.host}/notes/${id})`;
const getQuoteLink = (id) => `[${id}](${config.host}/notes/${id})`;
msg.reply(serifs.reminder.reminds + '\n' + reminds.map(remind => `${remind.thing ? remind.thing : getQuoteLink(remind.quoteId)}`).join('\n'));
msg.reply(serifs.reminder.reminds + '\n' + reminds.map((remind) => `${remind.thing ? remind.thing : getQuoteLink(remind.quoteId)}`).join('\n'));
return true;
}
@ -87,13 +87,13 @@ export default class extends Module {
// メンションをsubscribe
this.subscribeReply(remind!.id, msg.isDm, msg.isDm ? msg.userId : msg.id, {
id: remind!.id
id: remind!.id,
});
if (msg.quoteId) {
// 引用元をsubscribe
this.subscribeReply(remind!.id, false, msg.quoteId, {
id: remind!.id
id: remind!.id,
});
}
@ -142,7 +142,7 @@ export default class extends Module {
@autobind
private async timeoutCallback(data) {
const remind = this.reminds.findOne({
id: data.id
id: data.id,
});
if (remind == null) return;
@ -155,13 +155,13 @@ export default class extends Module {
let reply;
if (remind.isDm) {
this.ai.sendMessage(friend.userId, {
text: serifs.reminder.notifyWithThing(remind.thing, friend.name)
text: serifs.reminder.notifyWithThing(remind.thing, friend.name),
});
} else {
try {
reply = await this.ai.post({
renoteId: remind.thing == null && remind.quoteId ? remind.quoteId : remind.id,
text: acct(friend.doc.user) + ' ' + serifs.reminder.notify(friend.name)
text: acct(friend.doc.user) + ' ' + serifs.reminder.notify(friend.name),
});
} catch (err) {
// renote対象が消されていたらリマインダー解除
@ -175,7 +175,7 @@ export default class extends Module {
}
this.subscribeReply(remind.id, remind.isDm, remind.isDm ? remind.userId : reply.id, {
id: remind.id
id: remind.id,
});
// タイマーセット

View file

@ -9,10 +9,10 @@
import 'module-alias/register';
import * as request from 'request-promise-native';
import Reversi, { Color } from 'misskey-reversi';
import Reversi, {Color} from 'misskey-reversi';
import config from '@/config';
import serifs from '@/serifs';
import { User } from '@/misskey/user';
import {User} from '@/misskey/user';
function getUserName(user: User) {
return user.name || user.username;
@ -22,7 +22,7 @@ const titles = [
'さん', 'サン', 'サン', '㌠',
'ちゃん', 'チャン', 'チャン',
'君', 'くん', 'クン', 'クン',
'先生', 'せんせい', 'センセイ', 'センセイ'
'先生', 'せんせい', 'センセイ', 'センセイ',
];
class Session {
@ -63,11 +63,11 @@ class Session {
private get userName(): string {
const name = getUserName(this.user);
return `?[${name}](${config.host}/@${this.user.username})${titles.some(x => name.endsWith(x)) ? '' : 'さん'}`;
return `?[${name}](${config.host}/@${this.user.username})${titles.some((x) => name.endsWith(x)) ? '' : 'さん'}`;
}
private get strength(): number {
return this.form.find(i => i.id == 'strength').value;
return this.form.find((i) => i.id == 'strength').value;
}
private get isSettai(): boolean {
@ -75,7 +75,7 @@ class Session {
}
private get allowPost(): boolean {
return this.form.find(i => i.id == 'publish').value;
return this.form.find((i) => i.id == 'publish').value;
}
private get url(): string {
@ -88,36 +88,36 @@ class Session {
private onMessage = async (msg: any) => {
switch (msg.type) {
case '_init_': this.onInit(msg.body); break;
case 'updateForm': this.onUpdateForn(msg.body); break;
case 'started': this.onStarted(msg.body); break;
case 'ended': this.onEnded(msg.body); break;
case 'set': this.onSet(msg.body); break;
case '_init_': this.onInit(msg.body); break;
case 'updateForm': this.onUpdateForn(msg.body); break;
case 'started': this.onStarted(msg.body); break;
case 'ended': this.onEnded(msg.body); break;
case 'set': this.onSet(msg.body); break;
}
}
};
// 親プロセスからデータをもらう
private onInit = (msg: any) => {
this.game = msg.game;
this.form = msg.form;
this.account = msg.account;
}
};
/**
*
*/
private onUpdateForn = (msg: any) => {
this.form.find(i => i.id == msg.id).value = msg.value;
}
this.form.find((i) => i.id == msg.id).value = msg.value;
};
/**
*
*/
private onStarted = (msg: any) => {
private onStarted = (msg: any) => {
this.game = msg;
// TLに投稿する
this.postGameStarted().then(note => {
this.postGameStarted().then((note) => {
this.startedNote = note;
});
@ -125,14 +125,14 @@ class Session {
this.o = new Reversi(this.game.map, {
isLlotheo: this.game.isLlotheo,
canPutEverywhere: this.game.canPutEverywhere,
loopedBoard: this.game.loopedBoard
loopedBoard: this.game.loopedBoard,
});
this.maxTurn = this.o.map.filter(p => p === 'empty').length - this.o.board.filter(x => x != null).length;
this.maxTurn = this.o.map.filter((p) => p === 'empty').length - this.o.board.filter((x) => x != null).length;
//#region 隅の位置計算など
// #region 隅の位置計算など
//#region 隅
// #region 隅
this.o.map.forEach((pix, i) => {
if (pix == 'null') return;
@ -162,15 +162,15 @@ class Session {
// -+-
//
(get(x - 1, y) == 'empty' && get(x + 1, y) == 'empty')
)
);
const isSumi = !isNotSumi;
if (isSumi) this.sumiIndexes.push(i);
});
//#endregion
// #endregion
//#region 隅の隣
// #region 隅の隣
this.o.map.forEach((pix, i) => {
if (pix == 'null') return;
if (this.sumiIndexes.includes(i)) return;
@ -184,35 +184,35 @@ class Session {
const isSumiNear = (
check(x - 1, y - 1) || // 左上
check(x , y - 1) || // 上
check(x, y - 1) || // 上
check(x + 1, y - 1) || // 右上
check(x + 1, y ) || // 右
check(x + 1, y ) || // 右
check(x + 1, y + 1) || // 右下
check(x , y + 1) || // 下
check(x, y + 1) || // 下
check(x - 1, y + 1) || // 左下
check(x - 1, y ) // 左
)
check(x - 1, y ) // 左
);
if (isSumiNear) this.sumiNearIndexes.push(i);
});
//#endregion
// #endregion
//#endregion
// #endregion
this.botColor = this.game.user1Id == this.account.id && this.game.black == 1 || this.game.user2Id == this.account.id && this.game.black == 2;
if (this.botColor) {
this.think();
}
}
};
/**
*
*/
private onEnded = async (msg: any) => {
private onEnded = async (msg: any) => {
// ストリームから切断
process.send!({
type: 'ended'
type: 'ended',
});
let text: string;
@ -248,19 +248,19 @@ class Session {
await this.post(text, this.startedNote);
process.exit();
}
};
/**
*
*/
private onSet = (msg: any) => {
private onSet = (msg: any) => {
this.o.put(msg.color, msg.pos);
this.currentTurn++;
if (msg.next === this.botColor) {
this.think();
}
}
};
/**
* Botにとってある局面がどれだけ有利か静的に評価する
@ -299,7 +299,7 @@ class Session {
if (this.isSettai) score = -score;
return score;
}
};
private think = () => {
console.log(`(${this.currentTurn}/${this.maxTurn}) Thinking...`);
@ -344,9 +344,9 @@ class Session {
this.o.undo();
// 接待なら自分が負けた方が高スコア
return this.isSettai
? winner !== this.botColor ? score : -score
: winner === this.botColor ? score : -score;
return this.isSettai ?
winner !== this.botColor ? score : -score :
winner === this.botColor ? score : -score;
}
if (depth === maxDepth) {
@ -391,7 +391,7 @@ class Session {
};
const cans = this.o.canPutSomewhere(this.botColor);
const scores = cans.map(p => dive(p));
const scores = cans.map((p) => dive(p));
const pos = cans[scores.indexOf(Math.max(...scores))];
console.log('Thinked:', pos);
@ -400,21 +400,21 @@ class Session {
setTimeout(() => {
process.send!({
type: 'put',
pos
pos,
});
}, 500);
}
};
/**
* Misskeyに投稿します
*/
private postGameStarted = async () => {
const text = this.isSettai
? serifs.reversi.startedSettai(this.userName)
: serifs.reversi.started(this.userName, this.strength.toString());
const text = this.isSettai ?
serifs.reversi.startedSettai(this.userName) :
serifs.reversi.started(this.userName, this.strength.toString());
return await this.post(`${text}\n→[観戦する](${this.url})`);
}
};
/**
* Misskeyに投稿します
@ -425,7 +425,7 @@ class Session {
const body = {
i: config.i,
text: text,
visibility: 'home'
visibility: 'home',
} as any;
if (renote) {
@ -434,7 +434,7 @@ class Session {
try {
const res = await request.post(`${config.host}/api/notes/create`, {
json: body
json: body,
});
return res.createdNote;
@ -445,7 +445,7 @@ class Session {
} else {
return null;
}
}
};
}
new Session();

View file

@ -22,24 +22,24 @@ export default class extends Module {
this.reversiConnection = this.ai.connection.useSharedConnection('gamesReversi');
// 招待されたとき
this.reversiConnection.on('invited', msg => this.onReversiInviteMe(msg.parent));
this.reversiConnection.on('invited', (msg) => this.onReversiInviteMe(msg.parent));
// マッチしたとき
this.reversiConnection.on('matched', msg => this.onReversiGameStart(msg));
this.reversiConnection.on('matched', (msg) => this.onReversiGameStart(msg));
if (config.reversiEnabled) {
const mainStream = this.ai.connection.useSharedConnection('main');
mainStream.on('pageEvent', msg => {
mainStream.on('pageEvent', (msg) => {
if (msg.event === 'inviteReversi') {
this.ai.api('games/reversi/match', {
userId: msg.user.id
userId: msg.user.id,
});
}
});
}
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -50,7 +50,7 @@ export default class extends Module {
msg.reply(serifs.reversi.ok);
this.ai.api('games/reversi/match', {
userId: msg.userId
userId: msg.userId,
});
} else {
msg.reply(serifs.reversi.decline);
@ -69,7 +69,7 @@ export default class extends Module {
if (config.reversiEnabled) {
// 承認
const game = await this.ai.api('games/reversi/match', {
userId: inviter.id
userId: inviter.id,
});
this.onReversiGameStart(game);
@ -84,7 +84,7 @@ export default class extends Module {
// ゲームストリームに接続
const gw = this.ai.connection.connectToChannel('gamesReversiGame', {
gameId: game.id
gameId: game.id,
});
// フォーム
@ -92,7 +92,7 @@ export default class extends Module {
id: 'publish',
type: 'switch',
label: '藍が対局情報を投稿するのを許可',
value: true
value: true,
}, {
id: 'strength',
type: 'radio',
@ -100,23 +100,23 @@ export default class extends Module {
value: 3,
items: [{
label: '接待',
value: 0
value: 0,
}, {
label: '弱',
value: 2
value: 2,
}, {
label: '中',
value: 3
value: 3,
}, {
label: '強',
value: 4
value: 4,
}, {
label: '最強',
value: 5
}]
value: 5,
}],
}];
//#region バックエンドプロセス開始
// #region バックエンドプロセス開始
const ai = childProcess.fork(__dirname + '/back.js');
// バックエンドプロセスに情報を渡す
@ -125,14 +125,14 @@ export default class extends Module {
body: {
game: game,
form: form,
account: this.ai.account
}
account: this.ai.account,
},
});
ai.on('message', (msg: Record<string, any>) => {
if (msg.type == 'put') {
gw.send('set', {
pos: msg.pos
pos: msg.pos,
});
} else if (msg.type == 'ended') {
gw.dispose();
@ -142,10 +142,10 @@ export default class extends Module {
});
// ゲームストリームから情報が流れてきたらそのままバックエンドプロセスに伝える
gw.addListener('*', message => {
gw.addListener('*', (message) => {
ai.send(message);
});
//#endregion
// #endregion
// フォーム初期化
setTimeout(() => {
@ -162,10 +162,10 @@ export default class extends Module {
private onGameEnded(game: any) {
const user = game.user1Id == this.ai.account.id ? game.user2 : game.user1;
//#region 1日に1回だけ親愛度を上げる
// #region 1日に1回だけ親愛度を上げる
const today = getDate();
const friend = new Friend(this.ai, { user: user });
const friend = new Friend(this.ai, {user: user});
const data = friend.getPerModulesData(this);
@ -175,6 +175,6 @@ export default class extends Module {
friend.incLove();
}
//#endregion
// #endregion
}
}

View file

@ -39,7 +39,7 @@ export default class extends Module {
private check() {
const average = (arr) => arr.reduce((a, b) => a + b) / arr.length;
const cpuPercentages = this.statsLogs.map(s => s && (s.cpu_usage || s.cpu) * 100 || 0);
const cpuPercentages = this.statsLogs.map((s) => s && (s.cpu_usage || s.cpu) * 100 || 0);
const cpuPercentage = average(cpuPercentages);
if (cpuPercentage >= 70) {
this.warn();
@ -55,12 +55,12 @@ export default class extends Module {
@autobind
private warn() {
//#region 前に警告したときから一旦落ち着いた状態を経験していなければ警告しない
// #region 前に警告したときから一旦落ち着いた状態を経験していなければ警告しない
// 常に負荷が高いようなサーバーで無限に警告し続けるのを防ぐため
if (this.warned) return;
//#endregion
// #endregion
//#region 前の警告から1時間経っていない場合は警告しない
// #region 前の警告から1時間経っていない場合は警告しない
const now = Date.now();
if (this.lastWarnedAt != null) {
@ -68,12 +68,12 @@ export default class extends Module {
}
this.lastWarnedAt = now;
//#endregion
// #endregion
this.ai.post({
visibility: "home",
visibility: 'home',
localOnly: true,
text: serifs.server.cpu
text: serifs.server.cpu,
});
this.warned = true;

View file

@ -24,11 +24,11 @@ export default class extends Module {
if (sleepHours >= 1) {
this.ai.post({
text: serifs.sleepReport.report(Math.round(sleepHours))
text: serifs.sleepReport.report(Math.round(sleepHours)),
});
} else {
this.ai.post({
text: serifs.sleepReport.reportUtatane
text: serifs.sleepReport.reportUtatane,
});
}
}

View file

@ -2,55 +2,55 @@ import autobind from 'autobind-decorator';
import Module from '@/module';
import Message from '@/message';
import fetch from 'node-fetch';
import { ReadStream } from 'fs';
import {ReadStream} from 'fs';
export default class extends Module {
public readonly name = 'summonCat';
public readonly name = 'summonCat';
@autobind
public install() {
return {
mentionHook: this.mentionHook
};
}
public install() {
return {
mentionHook: this.mentionHook,
};
}
@autobind
private async mentionHook(msg: Message) {
// cat/Cat/ねこ/ネコ/にゃん
console.log(msg.text)
if (msg.text && (msg.text.match(/(cat|Cat|ねこ|ネコ|にゃ[〜|ー]*ん)/g))) {
const message = "にゃ~ん!";
// cat/Cat/ねこ/ネコ/にゃん
console.log(msg.text);
if (msg.text && (msg.text.match(/(cat|Cat|ねこ|ネコ|にゃ[〜|ー]*ん)/g))) {
const message = 'にゃ~ん!';
const file = await this.getCatImage();
this.log(file);
this.log('Replying...');
msg.reply(message, { file });
const file = await this.getCatImage();
this.log(file);
this.log('Replying...');
msg.reply(message, {file});
return {
reaction: ':blobcatmeltnomblobcatmelt:'
};
} else {
return false;
}
return {
reaction: ':blobcatmeltnomblobcatmelt:',
};
} else {
return false;
}
}
@autobind
private async getCatImage(): Promise<any> {
// https://aws.random.cat/meowにGETリクエストを送る
// fileに画像URLが返ってくる
const res = await fetch('https://api.thecatapi.com/v1/images/search');
const json = await res.json();
console.table(json);
const fileUri = json[0].url;
// 拡張子を取り除く
const fileName = fileUri.split('/').pop().split('.')[0];
const rawFile = await fetch(fileUri);
const imgBuffer = await rawFile.buffer();
// 拡張子とcontentTypeを判断する
const ext = fileUri.split('.').pop();
const file = await this.ai.upload(imgBuffer, {
filename: `${fileName}.${ext}`,
});
return file;
// https://aws.random.cat/meowにGETリクエストを送る
// fileに画像URLが返ってくる
const res = await fetch('https://api.thecatapi.com/v1/images/search');
const json = await res.json();
console.table(json);
const fileUri = json[0].url;
// 拡張子を取り除く
const fileName = fileUri.split('/').pop().split('.')[0];
const rawFile = await fetch(fileUri);
const imgBuffer = await rawFile.buffer();
// 拡張子とcontentTypeを判断する
const ext = fileUri.split('.').pop();
const file = await this.ai.upload(imgBuffer, {
filename: `${fileName}.${ext}`,
});
return file;
}
}

View file

@ -1,8 +1,8 @@
import autobind from 'autobind-decorator';
import { HandlerResult } from '@/ai';
import {HandlerResult} from '@/ai';
import Module from '@/module';
import Message from '@/message';
import serifs, { getSerif } from '@/serifs';
import serifs, {getSerif} from '@/serifs';
import getDate from '@/utils/get-date';
export default class extends Module {
@ -42,7 +42,7 @@ export default class extends Module {
if (msg.text == null) return false;
const incLove = () => {
//#region 1日に1回だけ親愛度を上げる
// #region 1日に1回だけ親愛度を上げる
const today = getDate();
const data = msg.friend.getPerModulesData(this);
@ -53,7 +53,7 @@ export default class extends Module {
msg.friend.setPerModulesData(this, data);
msg.friend.incLove();
//#endregion
// #endregion
};
// 末尾のエクスクラメーションマーク
@ -87,9 +87,9 @@ export default class extends Module {
if (msg.includes(['行ってくる', '行ってきます', 'いってくる', 'いってきます'])) {
msg.reply(
msg.friend.love >= 7
? serifs.core.itterassyai.love(msg.friend.name)
: serifs.core.itterassyai.normal(msg.friend.name));
msg.friend.love >= 7 ?
serifs.core.itterassyai.love(msg.friend.name) :
serifs.core.itterassyai.normal(msg.friend.name));
incLove();
return true;
}
@ -97,8 +97,8 @@ export default class extends Module {
if (msg.includes(['ただいま'])) {
msg.reply(
msg.friend.love >= 15 ? serifs.core.okaeri.love2(msg.friend.name) :
msg.friend.love >= 7 ? getSerif(serifs.core.okaeri.love(msg.friend.name)) :
serifs.core.okaeri.normal(msg.friend.name));
msg.friend.love >= 7 ? getSerif(serifs.core.okaeri.love(msg.friend.name)) :
serifs.core.okaeri.normal(msg.friend.name));
incLove();
return true;
}
@ -149,7 +149,7 @@ export default class extends Module {
// メッセージのみ
if (!msg.isDm) return true;
//#region 1日に1回だけ親愛度を上げる(嫌われてない場合のみ)
// #region 1日に1回だけ親愛度を上げる(嫌われてない場合のみ)
if (msg.friend.love >= 0) {
const today = getDate();
@ -162,16 +162,16 @@ export default class extends Module {
msg.friend.incLove();
}
}
//#endregion
// #endregion
msg.reply(getSerif(
msg.friend.love >= 10 ? serifs.core.nadenade.love3 :
msg.friend.love >= 5 ? serifs.core.nadenade.love2 :
msg.friend.love <= -15 ? serifs.core.nadenade.hate4 :
msg.friend.love <= -10 ? serifs.core.nadenade.hate3 :
msg.friend.love <= -5 ? serifs.core.nadenade.hate2 :
msg.friend.love <= -1 ? serifs.core.nadenade.hate1 :
serifs.core.nadenade.normal
msg.friend.love >= 5 ? serifs.core.nadenade.love2 :
msg.friend.love <= -15 ? serifs.core.nadenade.hate4 :
msg.friend.love <= -10 ? serifs.core.nadenade.hate3 :
msg.friend.love <= -5 ? serifs.core.nadenade.hate2 :
msg.friend.love <= -1 ? serifs.core.nadenade.hate1 :
serifs.core.nadenade.normal,
));
return true;
@ -186,8 +186,8 @@ export default class extends Module {
msg.reply(getSerif(
msg.friend.love >= 5 ? serifs.core.kawaii.love :
msg.friend.love <= -3 ? serifs.core.kawaii.hate :
serifs.core.kawaii.normal));
msg.friend.love <= -3 ? serifs.core.kawaii.hate :
serifs.core.kawaii.normal));
return true;
}
@ -201,8 +201,8 @@ export default class extends Module {
msg.reply(
msg.friend.love >= 5 ? (msg.friend.name ? serifs.core.suki.love(msg.friend.name) : serifs.core.suki.normal) :
msg.friend.love <= -3 ? serifs.core.suki.hate :
serifs.core.suki.normal);
msg.friend.love <= -3 ? serifs.core.suki.hate :
serifs.core.suki.normal);
return true;
}
@ -214,7 +214,7 @@ export default class extends Module {
// メッセージのみ
if (!msg.isDm) return true;
//#region 前のハグから1分経ってない場合は返信しない
// #region 前のハグから1分経ってない場合は返信しない
// これは、「ハグ」と言って「ぎゅー」と返信したとき、相手が
// それに対してさらに「ぎゅー」と返信するケースがあったため。
// そうするとその「ぎゅー」に対してもマッチするため、また
@ -231,12 +231,12 @@ export default class extends Module {
data.lastHuggedAt = now;
msg.friend.setPerModulesData(this, data);
//#endregion
// #endregion
msg.reply(
msg.friend.love >= 5 ? serifs.core.hug.love :
msg.friend.love <= -3 ? serifs.core.hug.hate :
serifs.core.hug.normal);
msg.friend.love <= -3 ? serifs.core.hug.hate :
serifs.core.hug.normal);
return true;
}
@ -250,8 +250,8 @@ export default class extends Module {
msg.reply(
msg.friend.love >= 5 ? serifs.core.humu.love :
msg.friend.love <= -3 ? serifs.core.humu.hate :
serifs.core.humu.normal);
msg.friend.love <= -3 ? serifs.core.humu.hate :
serifs.core.humu.normal);
return true;
}
@ -265,8 +265,8 @@ export default class extends Module {
msg.reply(
msg.friend.love >= 5 ? serifs.core.batou.love :
msg.friend.love <= -5 ? serifs.core.batou.hate :
serifs.core.batou.normal);
msg.friend.love <= -5 ? serifs.core.batou.hate :
serifs.core.batou.normal);
return true;
}
@ -292,8 +292,8 @@ export default class extends Module {
msg.reply(
msg.friend.love >= 10 ? serifs.core.ote.love2 :
msg.friend.love >= 5 ? serifs.core.ote.love1 :
serifs.core.ote.normal);
msg.friend.love >= 5 ? serifs.core.ote.love1 :
serifs.core.ote.normal);
return true;
}
@ -305,7 +305,7 @@ export default class extends Module {
msg.friend.decLove();
return {
reaction: 'angry'
reaction: 'angry',
};
}
@ -316,7 +316,7 @@ export default class extends Module {
msg.friend.decLove();
return {
reaction: 'angry'
reaction: 'angry',
};
}
@ -327,7 +327,7 @@ export default class extends Module {
msg.reply(serifs.core.shutdown);
return {
reaction: 'confused'
reaction: 'confused',
};
}
}

View file

@ -50,7 +50,7 @@ export default class extends Module {
isDm: msg.isDm,
msgId: msg.id,
userId: msg.friend.userId,
time: str
time: str,
});
return true;
@ -63,12 +63,12 @@ export default class extends Module {
const text = serifs.timer.notify(data.time, friend.name);
if (data.isDm) {
this.ai.sendMessage(friend.userId, {
text: text
text: text,
});
} else {
this.ai.post({
replyId: data.msgId,
text: text
text: text,
});
}
}

View file

@ -28,8 +28,8 @@ export default class extends Module {
const friends = this.ai.friends.find({} as any);
friends.forEach(f => {
const friend = new Friend(this.ai, { doc: f });
friends.forEach((f) => {
const friend = new Friend(this.ai, {doc: f});
// 親愛度が5以上必要
if (friend.love < 5) return;
@ -44,7 +44,7 @@ export default class extends Module {
const text = serifs.valentine.chocolateForYou(friend.name);
this.ai.sendMessage(friend.userId, {
text: text
text: text,
});
});
}

View file

@ -18,14 +18,14 @@ export default class extends Module {
if (note.isFirstNote) {
setTimeout(() => {
this.ai.api('notes/create', {
renoteId: note.id
renoteId: note.id,
});
}, 3000);
setTimeout(() => {
this.ai.api('notes/reactions/create', {
noteId: note.id,
reaction: 'congrats'
reaction: 'congrats',
});
}, 5000);
}

View file

@ -2,15 +2,15 @@
export default {
core: {
setNameOk: name => `わかりました。これからは${name}とお呼びしますね!`,
setNameOk: (name) => `わかりました。これからは${name}とお呼びしますね!`,
san: 'さん付けした方がいいですか?',
yesOrNo: '「はい」か「いいえ」しかわからないんです...',
hello: name => name ? `こんにちは、${name}` : `こんにちは♪`,
hello: (name) => name ? `こんにちは、${name}` : `こんにちは♪`,
helloNight: name => name ? `こんばんは、${name}` : `こんばんは♪`,
helloNight: (name) => name ? `こんばんは、${name}` : `こんばんは♪`,
goodMorning: (tension, name) => name ? `おはようございます、${name}${tension}` : `おはようございます!${tension}`,
@ -22,54 +22,54 @@ export default {
},
*/
goodNight: name => name ? `おやすみなさい、${name}` : 'おやすみなさい!',
goodNight: (name) => name ? `おやすみなさい、${name}` : 'おやすみなさい!',
omedeto: name => name ? `ありがとうございます、${name}` : 'ありがとうございます♪',
omedeto: (name) => name ? `ありがとうございます、${name}` : 'ありがとうございます♪',
erait: {
general: name => name ? [
general: (name) => name ? [
`${name}、今日もえらいです!`,
`${name}、今日もえらいですよ~♪`
`${name}、今日もえらいですよ~♪`,
] : [
`今日もえらいです!`,
`今日もえらいですよ~♪`
`今日もえらいですよ~♪`,
],
specify: (thing, name) => name ? [
`${name}${thing}てえらいです!`,
`${name}${thing}てえらいですよ~♪`
`${name}${thing}てえらいですよ~♪`,
] : [
`${thing}てえらいです!`,
`${thing}てえらいですよ~♪`
`${thing}てえらいですよ~♪`,
],
specify2: (thing, name) => name ? [
`${name}${thing}でえらいです!`,
`${name}${thing}でえらいですよ~♪`
`${name}${thing}でえらいですよ~♪`,
] : [
`${thing}でえらいです!`,
`${thing}でえらいですよ~♪`
`${thing}でえらいですよ~♪`,
],
},
okaeri: {
love: name => name ? [
love: (name) => name ? [
`おかえりなさい、${name}`,
`おかえりなさいませっ、${name}っ。`
`おかえりなさいませっ、${name}っ。`,
] : [
'おかえりなさい♪',
'おかえりなさいませっ、ご主人様っ。'
'おかえりなさいませっ、ご主人様っ。',
],
love2: name => name ? `おかえりなさいませ♡♡♡${name}っっ♡♡♡♡♡` : 'おかえりなさいませ♡♡♡ご主人様っっ♡♡♡♡♡',
love2: (name) => name ? `おかえりなさいませ♡♡♡${name}っっ♡♡♡♡♡` : 'おかえりなさいませ♡♡♡ご主人様っっ♡♡♡♡♡',
normal: name => name ? `おかえりなさい、${name}` : 'おかえりなさい!',
normal: (name) => name ? `おかえりなさい、${name}` : 'おかえりなさい!',
},
itterassyai: {
love: name => name ? `いってらっしゃい、${name}` : 'いってらっしゃい♪',
love: (name) => name ? `いってらっしゃい、${name}` : 'いってらっしゃい♪',
normal: name => name ? `いってらっしゃい、${name}` : 'いってらっしゃい!',
normal: (name) => name ? `いってらっしゃい、${name}` : 'いってらっしゃい!',
},
tooLong: '長すぎる気がします...',
@ -97,15 +97,15 @@ export default {
love: ['嬉しいです♪', '照れちゃいます...'],
hate: '…ありがとうございます'
hate: '…ありがとうございます',
},
suki: {
normal: 'えっ… ありがとうございます…♪',
love: name => `私もその… ${name}のこと好きですよ!`,
love: (name) => `私もその… ${name}のこと好きですよ!`,
hate: null
hate: null,
},
hug: {
@ -113,7 +113,7 @@ export default {
love: 'ぎゅーっ♪',
hate: '離れてください...'
hate: '離れてください...',
},
humu: {
@ -121,7 +121,7 @@ export default {
normal: 'えぇ... それはちょっと...',
hate: '……'
hate: '……',
},
batou: {
@ -129,10 +129,10 @@ export default {
normal: '(じとー…)',
hate: '…頭大丈夫ですか?'
hate: '…頭大丈夫ですか?',
},
itai: name => name ? `${name}、大丈夫ですか…? いたいのいたいの飛んでけっ!` : '大丈夫ですか…? いたいのいたいの飛んでけっ!',
itai: (name) => name ? `${name}、大丈夫ですか…? いたいのいたいの飛んでけっ!` : '大丈夫ですか…? いたいのいたいの飛んでけっ!',
ote: {
normal: 'くぅん... 私わんちゃんじゃないですよ...',
@ -146,25 +146,25 @@ export default {
transferNeedDm: 'わかりました、それはチャットで話しませんか?',
transferCode: code => `わかりました。\n合言葉は「${code}」です!`,
transferCode: (code) => `わかりました。\n合言葉は「${code}」です!`,
transferFailed: 'うーん、合言葉が間違ってませんか...',
transferDone: name => name ? `はっ... おかえりなさい、${name}` : `はっ... おかえりなさい!`,
transferDone: (name) => name ? `はっ... おかえりなさい、${name}` : `はっ... おかえりなさい!`,
},
keyword: {
learned: (word, reading) => `(${word}..... ${reading}..... 覚えました)`,
remembered: (word) => `${word}`
remembered: (word) => `${word}`,
},
dice: {
done: res => `${res} です!`
done: (res) => `${res} です!`,
},
birthday: {
happyBirthday: name => name ? `お誕生日おめでとうございます、${name}🎉` : 'お誕生日おめでとうございます🎉',
happyBirthday: (name) => name ? `お誕生日おめでとうございます、${name}🎉` : 'お誕生日おめでとうございます🎉',
},
/**
@ -189,47 +189,47 @@ export default {
/**
*
*/
startedSettai: name => `(${name}の接待を始めました)`,
startedSettai: (name) => `(${name}の接待を始めました)`,
/**
*
*/
iWon: name => `${name}に勝ちました♪`,
iWon: (name) => `${name}に勝ちました♪`,
/**
*
*/
iWonButSettai: name => `(${name}に接待で勝っちゃいました...)`,
iWonButSettai: (name) => `(${name}に接待で勝っちゃいました...)`,
/**
*
*/
iLose: name => `${name}に負けました...`,
iLose: (name) => `${name}に負けました...`,
/**
*
*/
iLoseButSettai: name => `(${name}に接待で負けてあげました...♪)`,
iLoseButSettai: (name) => `(${name}に接待で負けてあげました...♪)`,
/**
*
*/
drawn: name => `${name}と引き分けました~`,
drawn: (name) => `${name}と引き分けました~`,
/**
*
*/
drawnSettai: name => `(${name}に接待で引き分けました...)`,
drawnSettai: (name) => `(${name}に接待で引き分けました...)`,
/**
*
*/
youSurrendered: name => `${name}が投了しちゃいました`,
youSurrendered: (name) => `${name}が投了しちゃいました`,
/**
*
*/
settaiButYouSurrendered: name => `(${name}を接待していたら投了されちゃいました... ごめんなさい)`,
settaiButYouSurrendered: (name) => `(${name}を接待していたら投了されちゃいました... ごめんなさい)`,
},
/**
@ -264,27 +264,27 @@ export default {
/**
*
*/
grater: num => `${num}より大きいですね`,
grater: (num) => `${num}より大きいですね`,
/**
* (2)
*/
graterAgain: num => `もう一度言いますが${num}より大きいですよ!`,
graterAgain: (num) => `もう一度言いますが${num}より大きいですよ!`,
/**
*
*/
less: num => `${num}より小さいですね`,
less: (num) => `${num}より小さいですね`,
/**
* (2)
*/
lessAgain: num => `もう一度言いますが${num}より小さいですよ!`,
lessAgain: (num) => `もう一度言いますが${num}より小さいですよ!`,
/**
*
*/
congrats: tries => `正解です🎉 (${tries}回目で当てました)`,
congrats: (tries) => `正解です🎉 (${tries}回目で当てました)`,
},
/**
@ -295,7 +295,7 @@ export default {
matakondo: 'また今度やりましょう!',
intro: minutes => `みなさん、数取りゲームしましょう!\n0~100の中で最も大きい数字を取った人が勝ちです。他の人と被ったらだめですよ\n制限時間は${minutes}分です。数字はこの投稿にリプライで送ってくださいね!`,
intro: (minutes) => `みなさん、数取りゲームしましょう!\n0~100の中で最も大きい数字を取った人が勝ちです。他の人と被ったらだめですよ\n制限時間は${minutes}分です。数字はこの投稿にリプライで送ってくださいね!`,
finish: 'ゲームの結果発表です!',
@ -303,21 +303,21 @@ export default {
finishWithNoWinner: '今回は勝者はいませんでした... またやりましょう♪',
onagare: '参加者が集まらなかったのでお流れになりました...'
onagare: '参加者が集まらなかったのでお流れになりました...',
},
/**
*
*/
emoji: {
suggest: emoji => `こんなのはどうですか?→${emoji}`,
suggest: (emoji) => `こんなのはどうですか?→${emoji}`,
},
/**
*
*/
fortune: {
cw: name => name ? `私が今日の${name}の運勢を占いました...` : '私が今日のあなたの運勢を占いました...',
cw: (name) => name ? `私が今日の${name}の運勢を占いました...` : '私が今日のあなたの運勢を占いました...',
},
/**
@ -330,7 +330,7 @@ export default {
tooLong: '長すぎます…',
notify: (time, name) => name ? `${name}${time}経ちましたよ!` : `${time}経ちましたよ!`
notify: (time, name) => name ? `${name}${time}経ちましたよ!` : `${time}経ちましたよ!`,
},
/**
@ -341,7 +341,7 @@ export default {
doneFromInvalidUser: 'イタズラはめっですよ!',
invalidVisibility: "公開範囲の指定を変えてみて",
invalidVisibility: '公開範囲の指定を変えてみて',
reminds: 'やること一覧です!',
@ -366,25 +366,25 @@ export default {
*
*/
valentine: {
chocolateForYou: name => name ? `${name}、その... チョコレート作ったのでよかったらどうぞ!🍫` : 'チョコレート作ったのでよかったらどうぞ!🍫',
chocolateForYou: (name) => name ? `${name}、その... チョコレート作ったのでよかったらどうぞ!🍫` : 'チョコレート作ったのでよかったらどうぞ!🍫',
},
server: {
cpu: 'サーバーの負荷が高そうです。大丈夫でしょうか...'
cpu: 'サーバーの負荷が高そうです。大丈夫でしょうか...',
},
maze: {
post: '今日の迷路です! #2na2Maze',
foryou: '描きました!'
foryou: '描きました!',
},
chart: {
post: 'インスタンスの投稿数です!',
foryou: '描きました!'
foryou: '描きました!',
},
sleepReport: {
report: hours => `んぅ、${hours}時間くらい寝ちゃってたみたいです`,
report: (hours) => `んぅ、${hours}時間くらい寝ちゃってたみたいです`,
reportUtatane: 'ん... うたた寝しちゃってました',
},
@ -466,9 +466,9 @@ export default {
'じー',
'はにゃ?',
],
want: item => `${item}、欲しいなぁ...`,
see: item => `お散歩していたら、道に${item}が落ちているのを見たんです!`,
expire: item => `気づいたら、${item}の賞味期限が切れてました…`,
want: (item) => `${item}、欲しいなぁ...`,
see: (item) => `お散歩していたら、道に${item}が落ちているのを見たんです!`,
expire: (item) => `気づいたら、${item}の賞味期限が切れてました…`,
},
};

View file

@ -1,5 +1,5 @@
import autobind from 'autobind-decorator';
import { EventEmitter } from 'events';
import {EventEmitter} from 'events';
import * as WebSocket from 'ws';
const ReconnectingWebsocket = require('reconnecting-websocket');
import config from './config';
@ -22,7 +22,7 @@ export default class Stream extends EventEmitter {
this.buffer = [];
this.stream = new ReconnectingWebsocket(`${config.wsUrl}/streaming?i=${config.i}`, [], {
WebSocket: WebSocket
WebSocket: WebSocket,
});
this.stream.addEventListener('open', this.onOpen);
this.stream.addEventListener('close', this.onClose);
@ -31,7 +31,7 @@ export default class Stream extends EventEmitter {
@autobind
public useSharedConnection(channel: string): SharedConnection {
let pool = this.sharedConnectionPools.find(p => p.channel === channel);
let pool = this.sharedConnectionPools.find((p) => p.channel === channel);
if (pool == null) {
pool = new Pool(this, channel);
@ -45,7 +45,7 @@ export default class Stream extends EventEmitter {
@autobind
public removeSharedConnection(connection: SharedConnection) {
this.sharedConnections = this.sharedConnections.filter(c => c !== connection);
this.sharedConnections = this.sharedConnections.filter((c) => c !== connection);
}
@autobind
@ -57,7 +57,7 @@ export default class Stream extends EventEmitter {
@autobind
public disconnectToChannel(connection: NonSharedConnection) {
this.nonSharedConnections = this.nonSharedConnections.filter(c => c !== connection);
this.nonSharedConnections = this.nonSharedConnections.filter((c) => c !== connection);
}
/**
@ -79,10 +79,10 @@ export default class Stream extends EventEmitter {
// チャンネル再接続
if (isReconnect) {
this.sharedConnectionPools.forEach(p => {
this.sharedConnectionPools.forEach((p) => {
p.connect();
});
this.nonSharedConnections.forEach(c => {
this.nonSharedConnections.forEach((c) => {
c.connect();
});
}
@ -102,26 +102,26 @@ export default class Stream extends EventEmitter {
*/
@autobind
private onMessage(message) {
const { type, body } = JSON.parse(message.data);
const {type, body} = JSON.parse(message.data);
if (type == 'channel') {
const id = body.id;
let connections: (Connection | undefined)[];
connections = this.sharedConnections.filter(c => c.id === id);
connections = this.sharedConnections.filter((c) => c.id === id);
if (connections.length === 0) {
connections = [this.nonSharedConnections.find(c => c.id === id)];
connections = [this.nonSharedConnections.find((c) => c.id === id)];
}
for (const c of connections.filter(c => c != null)) {
for (const c of connections.filter((c) => c != null)) {
c!.emit(body.type, body.body);
c!.emit('*', { type: body.type, body: body.body });
c!.emit('*', {type: body.type, body: body.body});
}
} else {
this.emit(type, body);
this.emit('*', { type, body });
this.emit('*', {type, body});
}
}
@ -132,7 +132,7 @@ export default class Stream extends EventEmitter {
public send(typeOrPayload, payload?) {
const data = payload === undefined ? typeOrPayload : {
type: typeOrPayload,
body: payload
body: payload,
};
// まだ接続が確立されていなかったらバッファリングして次に接続した時に送信する
@ -203,7 +203,7 @@ class Pool {
this.isConnected = true;
this.stream.send('connect', {
channel: this.channel,
id: this.id
id: this.id,
});
}
@ -211,7 +211,7 @@ class Pool {
private disconnect() {
this.isConnected = false;
this.disposeTimerId = null;
this.stream.send('disconnect', { id: this.id });
this.stream.send('disconnect', {id: this.id});
}
}
@ -235,7 +235,7 @@ abstract class Connection extends EventEmitter {
this.stream.send('ch', {
id: id,
type: type,
body: body
body: body,
});
}
@ -287,7 +287,7 @@ class NonSharedConnection extends Connection {
this.stream.send('connect', {
channel: this.channel,
id: this.id,
params: this.params
params: this.params,
});
}
@ -299,7 +299,7 @@ class NonSharedConnection extends Connection {
@autobind
public dispose() {
this.removeAllListeners();
this.stream.send('disconnect', { id: this.id });
this.stream.send('disconnect', {id: this.id});
this.stream.disconnectToChannel(this);
}
}

View file

@ -1,5 +1,5 @@
export function acct(user: { username: string; host?: string | null; }): string {
return user.host
? `@${user.username}@${user.host}`
: `@${user.username}`;
return user.host ?
`@${user.username}@${user.host}` :
`@${user.username}`;
}

View file

@ -1,4 +1,4 @@
export default function (): string {
export default function(): string {
const now = new Date();
const y = now.getFullYear();
const m = now.getMonth();

View file

@ -1,10 +1,10 @@
import { katakanaToHiragana, hankakuToZenkaku } from './japanese';
import {katakanaToHiragana, hankakuToZenkaku} from './japanese';
export default function(text: string, words: string[]): boolean {
if (text == null) return false;
text = katakanaToHiragana(hankakuToZenkaku(text)).toLowerCase();
words = words.map(word => katakanaToHiragana(word).toLowerCase());
words = words.map((word) => katakanaToHiragana(word).toLowerCase());
return words.some(word => text.includes(word));
return words.some((word) => text.includes(word));
}

View file

@ -19,16 +19,16 @@ const kanaMap: string[][] = [
['ワ', 'ワ'], ['ヲ', 'ヲ'], ['ン', 'ン'],
['ァ', 'ァ'], ['ィ', 'ィ'], ['ゥ', 'ゥ'], ['ェ', 'ェ'], ['ォ', 'ォ'],
['ッ', 'ッ'], ['ャ', 'ャ'], ['ュ', 'ュ'], ['ョ', 'ョ'],
['ー', 'ー']
['ー', 'ー'],
];
/**
*
* @param str
* @returns
* @return
*/
export function katakanaToHiragana(str: string): string {
return str.replace(/[\u30a1-\u30f6]/g, match => {
return str.replace(/[\u30a1-\u30f6]/g, (match) => {
const char = match.charCodeAt(0) - 0x60;
return String.fromCharCode(char);
});
@ -37,10 +37,10 @@ export function katakanaToHiragana(str: string): string {
/**
*
* @param str
* @returns
* @return
*/
export function hiraganaToKatagana(str: string): string {
return str.replace(/[\u3041-\u3096]/g, match => {
return str.replace(/[\u3041-\u3096]/g, (match) => {
const char = match.charCodeAt(0) + 0x60;
return String.fromCharCode(char);
});
@ -49,14 +49,14 @@ export function hiraganaToKatagana(str: string): string {
/**
*
* @param str
* @returns
* @return
*/
export function zenkakuToHankaku(str: string): string {
const reg = new RegExp('(' + kanaMap.map(x => x[0]).join('|') + ')', 'g');
const reg = new RegExp('(' + kanaMap.map((x) => x[0]).join('|') + ')', 'g');
return str
.replace(reg, match =>
kanaMap.find(x => x[0] == match)![1]
.replace(reg, (match) =>
kanaMap.find((x) => x[0] == match)![1],
)
.replace(/゛/g, '゙')
.replace(/゜/g, '゚');
@ -65,14 +65,14 @@ export function zenkakuToHankaku(str: string): string {
/**
*
* @param str
* @returns
* @return
*/
export function hankakuToZenkaku(str: string): string {
const reg = new RegExp('(' + kanaMap.map(x => x[1]).join('|') + ')', 'g');
const reg = new RegExp('(' + kanaMap.map((x) => x[1]).join('|') + ')', 'g');
return str
.replace(reg, match =>
kanaMap.find(x => x[1] == match)![0]
.replace(reg, (match) =>
kanaMap.find((x) => x[1] == match)![0],
)
.replace(/゙/g, '゛')
.replace(/゚/g, '゜');

View file

@ -1,12 +1,12 @@
import { hankakuToZenkaku, katakanaToHiragana } from './japanese';
import {hankakuToZenkaku, katakanaToHiragana} from './japanese';
export default function(text: string, words: (string | RegExp)[]): boolean {
if (text == null) return false;
text = katakanaToHiragana(hankakuToZenkaku(text));
words = words.map(word => typeof word == 'string' ? katakanaToHiragana(word) : word);
words = words.map((word) => typeof word == 'string' ? katakanaToHiragana(word) : word);
return words.some(word => {
return words.some((word) => {
/**
*
*

View file

@ -12,5 +12,5 @@ const invalidChars = [
];
export function safeForInterpolate(text: string): boolean {
return !invalidChars.some(c => text.includes(c));
return !invalidChars.some((c) => text.includes(c));
}

View file

@ -459,11 +459,11 @@ export const and = [
];
export function genItem(seedOrRng?: (() => number) | string | number) {
const rng = seedOrRng
? typeof seedOrRng === 'function'
? seedOrRng
: seedrandom(seedOrRng.toString())
: Math.random;
const rng = seedOrRng ?
typeof seedOrRng === 'function' ?
seedOrRng :
seedrandom(seedOrRng.toString()) :
Math.random;
let item = '';
if (Math.floor(rng() * 5) !== 0) item += itemPrefixes[Math.floor(rng() * itemPrefixes.length)];

View file

@ -12,12 +12,12 @@ export class Misskey {
this.server = http.createServer(app.callback());
const ws = new websocket.server({
httpServer: this.server
httpServer: this.server,
});
ws.on('request', async (request) => {
const q = request.resourceURL.query as ParsedUrlQuery;
this.streaming = request.accept();
});
@ -40,16 +40,16 @@ export class Misskey {
}
public async waitForMainChannelConnected() {
await this.waitForStreamingMessage(message => {
const { type, body } = message;
await this.waitForStreamingMessage((message) => {
const {type, body} = message;
if (type === 'connect') {
const { channel, id, params, pong } = body;
const {channel, id, params, pong} = body;
if (channel !== 'main') return;
if (pong) {
this.sendStreamingMessage('connected', {
id: id
id: id,
});
}
@ -61,7 +61,7 @@ export class Misskey {
public sendStreamingMessage(type: string, payload: any) {
this.streaming.send(JSON.stringify({
type: type,
body: payload
body: payload,
}));
}
}

View file

@ -8,7 +8,7 @@ export class StreamingApi {
}
public async waitForMainChannelConnected() {
await expect(this.ws).toReceiveMessage("hello");
await expect(this.ws).toReceiveMessage('hello');
}
public send(message) {

View file

@ -8,7 +8,7 @@ export default class extends Module {
@autobind
public install() {
return {
mentionHook: this.mentionHook
mentionHook: this.mentionHook,
};
}
@ -16,7 +16,7 @@ export default class extends Module {
private async mentionHook(msg: Message) {
if (msg.text && msg.text.includes('ping')) {
msg.reply('PONG!', {
immediate: true
immediate: true,
});
return true;
} else {

View file

@ -1,20 +1,18 @@
import from '@/ai';
import { account } from '#/__mocks__/account';
import {account} from '#/__mocks__/account';
import TestModule from '#/__modules__/test';
import { StreamingApi } from '#/__mocks__/ws';
import {StreamingApi} from '#/__mocks__/ws';
process.env.NODE_ENV = 'test';
let ai: ;
beforeEach(() => {
ai = new (account, [
ai = new (account, [
new TestModule(),
]);
});
test('mention hook', async () => {
const streaming = new StreamingApi();
});

5641
yarn.lock Normal file

File diff suppressed because it is too large Load diff