@justmpm/memory 0.2.1 → 0.3.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/src/index.ts DELETED
@@ -1,645 +0,0 @@
1
- #!/usr/bin/env node
2
-
3
- /**
4
- * Memory MCP Server - Sistema de memória persistente para subagents
5
- *
6
- * Permite que subagents salvem e recuperem aprendizados entre sessões.
7
- * Cada agent tem sua própria memória, armazenada em .claude/agent-memory/<agent-name>/MEMORY.md
8
- *
9
- * @see https://modelcontextprotocol.io/
10
- */
11
-
12
- import { Server } from "@modelcontextprotocol/sdk/server/index.js";
13
- import { StdioServerTransport } from "@modelcontextprotocol/sdk/server/stdio.js";
14
- import {
15
- CallToolRequestSchema,
16
- ListToolsRequestSchema,
17
- } from "@modelcontextprotocol/sdk/types.js";
18
- import {
19
- readFileSync,
20
- writeFileSync,
21
- existsSync,
22
- mkdirSync,
23
- readdirSync,
24
- } from "fs";
25
- import { join, dirname } from "path";
26
- import { fileURLToPath } from "url";
27
-
28
- // ═══════════════════════════════════════════════════════════════════════════
29
- // VERSÃO DO PROJETO
30
- // ═══════════════════════════════════════════════════════════════════════════
31
-
32
- /**
33
- * Lê a versão do package.json dinamicamente
34
- */
35
- function getPackageVersion(): string {
36
- try {
37
- const __filename = fileURLToPath(import.meta.url);
38
- const __dirname = dirname(__filename);
39
- const packagePath = join(__dirname, "..", "package.json");
40
- const packageJson = JSON.parse(readFileSync(packagePath, "utf-8"));
41
- return packageJson.version || "0.1.0";
42
- } catch {
43
- return "0.1.0";
44
- }
45
- }
46
-
47
- const PACKAGE_VERSION = getPackageVersion();
48
-
49
- // ═══════════════════════════════════════════════════════════════════════════
50
- // FUNÇÕES UTILITÁRIAS
51
- // ═══════════════════════════════════════════════════════════════════════════
52
-
53
- /**
54
- * Normaliza nome do agent para usar como nome de pasta
55
- * Ex: "Sentinel" → "sentinel", "QA-Tester" → "qa-tester"
56
- */
57
- function normalizeAgentName(agentName: string): string {
58
- return agentName
59
- .toLowerCase()
60
- .replace(/[^a-z0-9]+/g, "-")
61
- .replace(/^-|-$/g, "");
62
- }
63
-
64
- /**
65
- * Retorna o caminho do diretório de memória para um agent
66
- */
67
- function getAgentMemoryDir(agentName: string): string {
68
- const normalizedName = normalizeAgentName(agentName);
69
- return join(process.cwd(), ".claude", "agent-memory", normalizedName);
70
- }
71
-
72
- /**
73
- * Retorna o caminho do arquivo MEMORY.md de um agent
74
- */
75
- function getAgentMemoryPath(agentName: string): string {
76
- return join(getAgentMemoryDir(agentName), "MEMORY.md");
77
- }
78
-
79
- /**
80
- * Garante que o diretório existe
81
- */
82
- function ensureAgentMemoryDir(agentName: string): void {
83
- const dir = getAgentMemoryDir(agentName);
84
- if (!existsSync(dir)) {
85
- mkdirSync(dir, { recursive: true });
86
- }
87
- }
88
-
89
- /**
90
- * Formata timestamp para uso em entradas de memória
91
- */
92
- function formatTimestamp(): string {
93
- const now = new Date();
94
- return now.toISOString().replace("T", " ").slice(0, 19);
95
- }
96
-
97
- /**
98
- * Limita memória a ~200 linhas (últimas entradas)
99
- */
100
- function limitMemoryLines(content: string, maxLines = 200): string {
101
- const lines = content.split("\n");
102
- if (lines.length <= maxLines) return content;
103
- const keepCount = Math.floor(maxLines * 0.8); // 160 linhas
104
- const removed = lines.length - keepCount;
105
- return `# Memória (últimas ${keepCount} de ${lines.length} linhas)
106
-
107
- [... ${removed} linhas anteriores removidas ...]
108
-
109
- ${lines.slice(-keepCount).join("\n")}`;
110
- }
111
-
112
- /**
113
- * Lista todos os agents que têm memória
114
- */
115
- function listAgentsWithMemory(): string[] {
116
- const memoryRoot = join(process.cwd(), ".claude", "agent-memory");
117
- if (!existsSync(memoryRoot)) return [];
118
-
119
- try {
120
- return readdirSync(memoryRoot).filter((name) => {
121
- const memoryPath = join(memoryRoot, name, "MEMORY.md");
122
- return existsSync(memoryPath);
123
- });
124
- } catch {
125
- return [];
126
- }
127
- }
128
-
129
- // ═══════════════════════════════════════════════════════════════════════════
130
- // HANDLERS DAS OPERAÇÕES
131
- // ═══════════════════════════════════════════════════════════════════════════
132
-
133
- /**
134
- * Handler: read - Lê a memória do agent atual
135
- */
136
- async function handleRead(agentName: string): Promise<string> {
137
- const memoryPath = getAgentMemoryPath(agentName);
138
-
139
- if (!existsSync(memoryPath)) {
140
- return `📝 Memória vazia para agent "${agentName}".
141
-
142
- Use \`command="append", entry="..."\` para criar a primeira entrada.`;
143
- }
144
-
145
- try {
146
- const content = readFileSync(memoryPath, "utf-8");
147
- const lines = content.split("\n").length;
148
- return `📝 Memória de "${agentName}" (${lines} linhas):
149
-
150
- ─────────────────────────────────────────────────────────────────
151
-
152
- ${content}`;
153
- } catch (error) {
154
- return `❌ Erro ao ler memória: ${(error as Error).message}`;
155
- }
156
- }
157
-
158
- /**
159
- * Handler: write - Substitui toda a memória
160
- */
161
- async function handleWrite(
162
- agentName: string,
163
- content: string,
164
- backup: boolean = false
165
- ): Promise<string> {
166
- try {
167
- ensureAgentMemoryDir(agentName);
168
- const memoryPath = getAgentMemoryPath(agentName);
169
-
170
- // Cria backup se solicitado e arquivo existir
171
- let backupMessage = "";
172
- if (backup && existsSync(memoryPath)) {
173
- const backupPath = memoryPath + ".backup";
174
- const existingContent = readFileSync(memoryPath, "utf-8");
175
- writeFileSync(backupPath, existingContent, "utf-8");
176
- backupMessage = `\n💾 Backup criado: MEMORY.md.backup`;
177
- }
178
-
179
- const limited = limitMemoryLines(content);
180
- writeFileSync(memoryPath, limited, "utf-8");
181
-
182
- const lines = limited.split("\n").length;
183
- return `✅ Memória de "${agentName}" atualizada (${lines} linhas).${backupMessage}
184
-
185
- ${lines >= 200 ? "⚠️ Memória atingiu o limite de 200 linhas." : ""}`;
186
- } catch (error) {
187
- return `❌ Erro ao escrever memória: ${(error as Error).message}`;
188
- }
189
- }
190
-
191
- /**
192
- * Handler: append - Adiciona uma entrada no final
193
- */
194
- async function handleAppend(
195
- agentName: string,
196
- entry: string
197
- ): Promise<string> {
198
- try {
199
- ensureAgentMemoryDir(agentName);
200
- const memoryPath = getAgentMemoryPath(agentName);
201
-
202
- // Lê conteúdo existente
203
- let existingContent = "";
204
- if (existsSync(memoryPath)) {
205
- existingContent = readFileSync(memoryPath, "utf-8");
206
- }
207
-
208
- // Adiciona nova entrada com timestamp
209
- const timestamp = formatTimestamp();
210
- const newEntry = `\n## [${timestamp}]\n${entry}\n`;
211
- const newContent = existingContent + newEntry;
212
-
213
- // Salva com limite
214
- const limited = limitMemoryLines(newContent);
215
- writeFileSync(memoryPath, limited, "utf-8");
216
-
217
- return `✅ Entrada adicionada à memória de "${agentName}".
218
-
219
- **Timestamp:** ${timestamp}
220
- **Entry:** ${entry.slice(0, 100)}${entry.length > 100 ? "..." : ""}`;
221
- } catch (error) {
222
- return `❌ Erro ao adicionar entrada: ${(error as Error).message}`;
223
- }
224
- }
225
-
226
- /**
227
- * Handler: search - Busca texto na memória
228
- */
229
- async function handleSearch(
230
- agentName: string,
231
- query: string
232
- ): Promise<string> {
233
- const memoryPath = getAgentMemoryPath(agentName);
234
-
235
- if (!existsSync(memoryPath)) {
236
- return `📝 Memória vazia para agent "${agentName}".`;
237
- }
238
-
239
- try {
240
- const content = readFileSync(memoryPath, "utf-8");
241
- const lines = content.split("\n");
242
- const queryLower = query.toLowerCase();
243
-
244
- const matches = lines
245
- .map((line, idx) => ({ line, idx }))
246
- .filter(({ line }) => line.toLowerCase().includes(queryLower));
247
-
248
- if (matches.length === 0) {
249
- return `📝 Nenhuma ocorrência de "${query}" encontrada na memória de "${agentName}".`;
250
- }
251
-
252
- const results = matches
253
- .slice(0, 20) // Máximo 20 resultados
254
- .map(({ line, idx }) => ` L${idx + 1}: ${line}`)
255
- .join("\n");
256
-
257
- const more = matches.length > 20 ? `\n... e mais ${matches.length - 20} ocorrências` : "";
258
-
259
- return `📝 Busca por "${query}" em "${agentName}" (${matches.length} ocorrências):
260
-
261
- ${results}${more}`;
262
- } catch (error) {
263
- return `❌ Erro ao buscar: ${(error as Error).message}`;
264
- }
265
- }
266
-
267
- /**
268
- * Handler: list - Lista todos os agents com memória
269
- */
270
- async function handleList(): Promise<string> {
271
- const agents = listAgentsWithMemory();
272
-
273
- if (agents.length === 0) {
274
- return `📝 Nenhum agent com memória neste projeto.
275
-
276
- Diretório: .claude/agent-memory/`;
277
- }
278
-
279
- const agentList = agents
280
- .map((name) => {
281
- const path = join(".claude", "agent-memory", name, "MEMORY.md");
282
- let lines = 0;
283
- try {
284
- lines = readFileSync(join(process.cwd(), path), "utf-8").split("\n").length;
285
- } catch {}
286
- return ` • ${name} (${lines} linhas)`;
287
- })
288
- .join("\n");
289
-
290
- return `📝 Agents com memória neste projeto (${agents.length}):
291
-
292
- ${agentList}
293
-
294
- Use o comando "read" de cada agent para ver o conteúdo.`;
295
- }
296
-
297
- // ═══════════════════════════════════════════════════════════════════════════
298
- // SERVIDOR MCP
299
- // ═══════════════════════════════════════════════════════════════════════════
300
-
301
- // Cria o servidor MCP
302
- const server = new Server(
303
- {
304
- name: "@justmpm/memory",
305
- version: PACKAGE_VERSION,
306
- },
307
- {
308
- capabilities: {
309
- tools: {},
310
- },
311
- }
312
- );
313
-
314
- /**
315
- * Handler: ListTools - Lista todas as tools disponíveis
316
- */
317
- server.setRequestHandler(ListToolsRequestSchema, async () => {
318
- return {
319
- tools: [
320
- {
321
- name: "memory",
322
- description: `
323
- Sua memória pessoal - salve e recupere seus aprendizados entre sessões.
324
-
325
- **PARA QUE:** Guarde padrões de código, bugs encontrados, decisões tomadas e preferências do usuário. Tudo persiste entre sessões.
326
-
327
- **ONDE:** Seu arquivo fica em .claude/agent-memory/<seu-nome>/MEMORY.md
328
-
329
- **IMPORTANTE:** Máximo 200 linhas. Quando passar, as mais antigas são removidas (mantém últimas 160).
330
-
331
- ═══════════════════════════════════════════════════════════════
332
- COMANDOS DISPONÍVEIS:
333
- ═══════════════════════════════════════════════════════════════
334
-
335
- 1. **read** - Carrega sua memória
336
- Uso: Ao iniciar uma sessão para recuperar seu contexto anterior
337
- - agent: (opcional) Seu nome de agent. Se não fornecido, usa "unknown"
338
- - Retorna: Conteúdo completo do seu MEMORY.md com contagem de linhas
339
- - Se não existir: Mensagem de memória vazia com sugestão de usar 'append'
340
-
341
- 2. **append** - Adiciona nova informação à sua memória
342
- Uso: Quando aprender algo novo importante (padrão, bug, decisão)
343
- - entry: (OBRIGATÓRIO) Texto da informação a salvar
344
- - Formato automático: Adiciona timestamp "## [YYYY-MM-DD HH:MM:SS]"
345
- - Retorna: Confirmação com timestamp e preview da entrada
346
-
347
- 3. **search** - Procura informação específica na sua memória
348
- Uso: Quando precisar encontrar algo sem ler tudo
349
- - query: (OBRIGATÓRIO) Termo ou palavra-chave a buscar
350
- - Busca: Case-insensitive, máximo 20 resultados
351
- - Retorna: Ocorrências encontradas com número da linha
352
-
353
- 4. **write** - Reescreve sua memória reorganizando tudo
354
- Uso: Quando a memória ficar grande (perto de 200 linhas) ou precisar reestruturar
355
- - content: (OBRIGATÓRIO) Novo conteúdo completo em markdown
356
- - backup: (opcional) Se true, cria backup antes de sobrescrever
357
- - Retorna: Confirmação com contagem de linhas e alerta se atingir limite
358
-
359
- ═══════════════════════════════════════════════════════════════
360
- WORKFLOW RECOMENDADO:
361
- ═══════════════════════════════════════════════════════════════
362
-
363
- 1. **INICIAR SESSÃO:** { "command": "read" }
364
- → Carrega sua memória anterior para ter contexto
365
-
366
- 2. **DURANTE O TRABALHO:** { "command": "append", "entry": "Padrão: ..." }
367
- → Sempre que aprender algo importante, salve imediatamente
368
-
369
- 3. **PRECISAR DE ALGO:** { "command": "search", "query": "Zod" }
370
- → Procure na sua memória sem precisar ler tudo
371
-
372
- 4. **MEMÓRIA GRANDE:** { "command": "write", "content": "...", "backup": true }
373
- → Reestruture e use backup para segurança
374
-
375
- ═══════════════════════════════════════════════════════════════
376
- EXEMPLOS PRÁTICOS:
377
- ═══════════════════════════════════════════════════════════════
378
-
379
- Iniciar sessão (sempre comece assim):
380
- { "command": "read" }
381
-
382
- Salvar um padrão de código:
383
- { "command": "append", "entry": "Padrão: Sempre use Zod para validar inputs do usuário" }
384
-
385
- Salvar uma decisão importante:
386
- { "command": "append", "entry": "Decisão: Usar Zustand em vez de Redux (mais leve)" }
387
-
388
- Salvar um bug recorrente:
389
- { "command": "append", "entry": "Bug: Erro acontece quando array está vazio no submit" }
390
-
391
- Buscar informação sobre Zod:
392
- { "command": "search", "query": "Zod" }
393
-
394
- Reorganizar memória grande com backup:
395
- { "command": "write", "content": "# Memória Reorganizada\\n\\n## Padrões\\n- Padrão 1\\n- Padrão 2", "backup": true }
396
-
397
- ═══════════════════════════════════════════════════════════════
398
- O QUE SALVAR (exemplos):
399
- ═══════════════════════════════════════════════════════════════
400
-
401
- ✅ **Salve:** Padrões de código, bugs recorrentes, decisões arquiteturais, preferências do usuário, configurações importantes.
402
-
403
- ✅ **Organize com markdown:**
404
- ## Padrões - Convenções de código
405
- ## Bugs - Problemas e workarounds
406
- ## Decisões - Escolhas arquiteturais
407
-
408
- ❌ **Não salve:** Coisas triviais, informações temporárias, logs de conversa, coisas óbvias.
409
-
410
- ═══════════════════════════════════════════════════════════════
411
- DICAS IMPORTANTES:
412
- ═══════════════════════════════════════════════════════════════
413
-
414
- • Seu nome é normalizado: "Meu Agent" → "meu-agent"
415
- • Use search antes de salvar para evitar duplicatas
416
- • Memória é por projeto (pasta .claude/agent-memory/)
417
- • Ao atingir 200 linhas, as mais antigas são removidas automaticamente
418
- `.trim(),
419
- inputSchema: {
420
- type: "object",
421
- properties: {
422
- command: {
423
- type: "string",
424
- enum: ["read", "append", "search", "write"],
425
- description: "Comando a executar: 'read' carrega sua memória, 'append' adiciona nova informação, 'search' procura algo específico, 'write' reescreve reorganizando tudo.",
426
- },
427
- agent: {
428
- type: "string",
429
- description: 'Seu nome de agent (ex: "sentinel", "fix-worker"). Opcional - usa "unknown" se não informado. Será normalizado para minúsculas.',
430
- },
431
- content: {
432
- type: "string",
433
- description: 'Conteúdo completo em markdown para substituir a memória existente (OBRIGATÓRIO para "write"). Use para reorganizar, limpar ou reconstruir memória do zero.',
434
- },
435
- backup: {
436
- type: "boolean",
437
- description: 'Se true, cria um backup do conteúdo atual antes de sobrescrever. O backup é salvo como MEMORY.md.backup no mesmo diretório. Padrão: false.',
438
- },
439
- entry: {
440
- type: "string",
441
- description: 'Texto da informação a salvar (OBRIGATÓRIO para append). Ex: "Padrão: sempre use try/catch em funções async" ou "Bug: erro quando usuário clica 2x". Será adicionado com timestamp automaticamente.',
442
- },
443
- query: {
444
- type: "string",
445
- description: 'Palavra-chave para buscar na sua memória (OBRIGATÓRIO para search). Ex: "Zod", "bug", "Firebase". Retorna até 20 resultados com número da linha.',
446
- },
447
- },
448
- required: ["command"],
449
- },
450
- },
451
- ],
452
- };
453
- });
454
-
455
- /**
456
- * Handler: CallTool - Executa uma tool
457
- */
458
- server.setRequestHandler(CallToolRequestSchema, async (request) => {
459
- const { name, arguments: args } = request.params;
460
-
461
- if (name !== "memory") {
462
- throw new Error(`Tool desconhecida: ${name}`);
463
- }
464
-
465
- const command = args?.command as string;
466
- const agentName = (args?.agent as string) || "unknown";
467
-
468
- // Valida comando
469
- const validCommands = ["read", "append", "search", "write"];
470
- if (!validCommands.includes(command)) {
471
- return {
472
- content: [
473
- {
474
- type: "text",
475
- text: `❌ ERRO: Comando desconhecido "${command}"
476
-
477
- COMANDOS DISPONÍVEIS:
478
-
479
- 1. read - Carrega sua memória (use ao iniciar)
480
- 2. append - Adiciona nova informação (mais usado)
481
- 3. search - Procura algo na sua memória
482
- 4. write - Reescreve reorganizando tudo (cuidado!)
483
-
484
- PARA MAIS DETALHES, CONSULTE A DESCRIÇÃO DA TOOL "memory"
485
- `,
486
- },
487
- ],
488
- };
489
- }
490
-
491
- // Executa comando específico
492
- let result: string;
493
-
494
- switch (command) {
495
- case "read": {
496
- result = await handleRead(agentName);
497
- break;
498
- }
499
-
500
- case "write": {
501
- const content = args?.content as string;
502
- if (!content) {
503
- result = `❌ ERRO: O parâmetro "content" é OBRIGATÓRIO para o comando "write".
504
-
505
- EXEMPLO DE USO CORRETO:
506
- {
507
- "command": "write",
508
- "agent": "sentinel",
509
- "content": "# Memória do Sentinel\\n\\n## Padrões\\n- Sempre use Zod para validação\\n\\n## Bugs\\n- Bug XYZ ocorre quando..."
510
- }
511
-
512
- DICA: Use "backup": true para criar uma cópia de segurança antes de sobrescrever:
513
- {
514
- "command": "write",
515
- "agent": "sentinel",
516
- "content": "# Nova memória...",
517
- "backup": true
518
- }
519
-
520
- Use "write" para reorganizar memória grande ou reconstruir do zero.
521
- Para adicionar uma entrada preservando o histórico, use "append".
522
- `;
523
- break;
524
- }
525
- const backup = (args?.backup as boolean) || false;
526
- result = await handleWrite(agentName, content, backup);
527
- break;
528
- }
529
-
530
- case "append": {
531
- const entry = args?.entry as string;
532
- if (!entry) {
533
- result = `❌ ERRO: O parâmetro "entry" é OBRIGATÓRIO para o comando "append".
534
-
535
- EXEMPLO DE USO CORRETO:
536
- {
537
- "command": "append",
538
- "agent": "sentinel",
539
- "entry": "Padrão descoberto: Sempre use Zod para validar inputs do usuário em todos os componentes de formulário"
540
- }
541
-
542
- DICA: Use "append" para salvar aprendizados incrementais. O timestamp é adicionado automaticamente no formato:
543
- ## [2026-02-09 12:34:56]
544
- Sua entrada aqui
545
-
546
- Para salvar informações mais longas ou estruturadas, considere usar "write".
547
- `;
548
- break;
549
- }
550
- result = await handleAppend(agentName, entry);
551
- break;
552
- }
553
-
554
- case "search": {
555
- const query = args?.query as string;
556
- if (!query) {
557
- result = `❌ ERRO: O parâmetro "query" é OBRIGATÓRIO para o comando "search".
558
-
559
- EXEMPLO DE USO CORRETO:
560
- {
561
- "command": "search",
562
- "agent": "sentinel",
563
- "query": "Zod"
564
- }
565
-
566
- DICA: A busca é case-insensitive e retorna até 20 ocorrências com o número da linha.
567
- Exemplos de busca úteis: "padrão", "bug", "TypeScript", "Firebase", "erro"
568
- `;
569
- break;
570
- }
571
- result = await handleSearch(agentName, query);
572
- break;
573
- }
574
-
575
- default:
576
- result = `❌ Comando desconhecido: ${command}`;
577
- }
578
-
579
- return {
580
- content: [
581
- {
582
- type: "text",
583
- text: result,
584
- },
585
- ],
586
- };
587
- });
588
-
589
- // ═══════════════════════════════════════════════════════════════════════════
590
- // INICIALIZAÇÃO
591
- // ═══════════════════════════════════════════════════════════════════════════
592
-
593
- async function main() {
594
- // Verifica argumentos de linha de comando
595
- const args = process.argv.slice(2);
596
-
597
- // --version
598
- if (args.includes("--version") || args.includes("-v")) {
599
- console.log(`@justmpm/memory v${PACKAGE_VERSION}`);
600
- process.exit(0);
601
- }
602
-
603
- // --help
604
- if (args.includes("--help") || args.includes("-h")) {
605
- console.log(`
606
- @justmpm/memory - MCP Server para gerenciar memória persistente de subagents
607
-
608
- Versão: ${PACKAGE_VERSION}
609
-
610
- USO:
611
- memory Inicia o servidor MCP (comunicação via stdio)
612
- memory --version Mostra a versão do pacote
613
- memory --help Mostra esta mensagem de ajuda
614
-
615
- COMANDOS MCP:
616
- - read Lê a memória de um agent
617
- - write Substitui toda a memória
618
- - append Adiciona uma entrada ao final
619
- - search Busca texto na memória
620
- - list Lista todos os agents com memória
621
-
622
- DOCUMENTAÇÃO:
623
- Para mais detalhes, consulte:
624
- - CLAUDE.md (Documentação para IAs)
625
- - AGENTS.md (Guia para subagents)
626
- - README.md (Documentação principal)
627
-
628
- REPOSITÓRIO:
629
- https://github.com/justmpm/memory-mcp
630
-
631
- LICENÇA:
632
- MIT © Koda AI Studio
633
- `);
634
- process.exit(0);
635
- }
636
-
637
- const transport = new StdioServerTransport();
638
- await server.connect(transport);
639
- // Não faz log aqui pois o servidor se comunica via stdio
640
- }
641
-
642
- main().catch((error) => {
643
- console.error("Erro fatal ao iniciar servidor:", error);
644
- process.exit(1);
645
- });
package/tsconfig.json DELETED
@@ -1,20 +0,0 @@
1
- {
2
- "compilerOptions": {
3
- "target": "ES2022",
4
- "module": "ES2022",
5
- "lib": ["ES2022"],
6
- "moduleResolution": "node",
7
- "outDir": "./dist",
8
- "rootDir": "./src",
9
- "strict": true,
10
- "esModuleInterop": true,
11
- "skipLibCheck": true,
12
- "forceConsistentCasingInFileNames": true,
13
- "resolveJsonModule": true,
14
- "declaration": true,
15
- "declarationMap": true,
16
- "sourceMap": true
17
- },
18
- "include": ["src/**/*"],
19
- "exclude": ["node_modules", "dist"]
20
- }