tst-changelog 0.2.0 → 0.4.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/dist/index.d.ts CHANGED
@@ -47,6 +47,12 @@ interface CommitInfo {
47
47
  date: string;
48
48
  body?: string;
49
49
  }
50
+ type DateGroupedCommits = Map<string, CommitInfo[]>;
51
+ interface VersionedEntry {
52
+ version: string;
53
+ date: string;
54
+ generated: GeneratedChangelog;
55
+ }
50
56
  interface StagedChanges {
51
57
  files: string[];
52
58
  diff: string;
@@ -70,6 +76,7 @@ interface CLIOptions {
70
76
  dryRun?: boolean;
71
77
  verbose?: boolean;
72
78
  fromCommits?: number;
79
+ version?: string;
73
80
  }
74
81
 
75
82
  /**
@@ -156,8 +163,32 @@ declare class ChangelogService {
156
163
  * Generate new changelog entry
157
164
  */
158
165
  formatEntry(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): string;
166
+ /**
167
+ * Format a simple entry with just version and date (no time, no author)
168
+ * Used for --from-commits mode with date grouping
169
+ */
170
+ formatSimpleEntry(generated: GeneratedChangelog, version: string, date: string): string;
171
+ /**
172
+ * Format multiple versioned entries into changelog format
173
+ * Entries should already be sorted (newest first)
174
+ */
175
+ formatMultipleEntries(entries: VersionedEntry[]): string;
176
+ /**
177
+ * Update changelog with multiple versioned entries (for --from-commits mode)
178
+ * Entries should be in order from newest to oldest (for display order)
179
+ */
180
+ updateWithMultipleEntries(entries: VersionedEntry[]): string;
181
+ /**
182
+ * Update JSON changelog with multiple releases (for --from-commits mode)
183
+ * Entries should be in order from newest to oldest
184
+ */
185
+ updateJsonWithMultipleEntries(entries: VersionedEntry[]): ChangelogJson;
159
186
  private sortSections;
160
187
  private formatSection;
188
+ /**
189
+ * Convert commit hashes in item to markdown links if repoUrl is configured
190
+ */
191
+ private formatItemWithLinks;
161
192
  /**
162
193
  * Update or create changelog with new entry
163
194
  */
@@ -197,4 +228,4 @@ declare class ChangelogService {
197
228
  writeJson(data: ChangelogJson): void;
198
229
  }
199
230
 
200
- export { type AIConfig, AIService, type CLIOptions, type ChangeType, type ChangelogConfig, type ChangelogEntry, type ChangelogJson, type ChangelogJsonRelease, type ChangelogMetadata, type ChangelogSection, ChangelogService, type CommitInfo, type Config, type GeneratedChangelog, type GitConfig, GitService, type InitResult, type StagedChanges, initConfig, loadConfig };
231
+ export { type AIConfig, AIService, type CLIOptions, type ChangeType, type ChangelogConfig, type ChangelogEntry, type ChangelogJson, type ChangelogJsonRelease, type ChangelogMetadata, type ChangelogSection, ChangelogService, type CommitInfo, type Config, type DateGroupedCommits, type GeneratedChangelog, type GitConfig, GitService, type InitResult, type StagedChanges, type VersionedEntry, initConfig, loadConfig };
package/dist/index.js CHANGED
@@ -3,14 +3,29 @@
3
3
  // src/index.ts
4
4
  import "dotenv/config";
5
5
  import { Command } from "commander";
6
- import { readFileSync as readFileSync3 } from "fs";
6
+ import { readFileSync as readFileSync3, existsSync as existsSync3 } from "fs";
7
7
  import { fileURLToPath } from "url";
8
8
  import { dirname, resolve as resolve3 } from "path";
9
9
 
10
10
  // src/config.ts
11
11
  import { readFileSync, existsSync, writeFileSync, appendFileSync } from "fs";
12
12
  import { resolve } from "path";
13
+ import { execSync } from "child_process";
13
14
  import { parse, stringify } from "yaml";
15
+ function getRepoUrlFromGit() {
16
+ try {
17
+ const url = execSync("git remote get-url --push origin", {
18
+ encoding: "utf-8",
19
+ stdio: ["pipe", "pipe", "pipe"]
20
+ }).trim();
21
+ if (url.startsWith("git@")) {
22
+ return url.replace(/^git@([^:]+):/, "https://$1/").replace(/\.git$/, "");
23
+ }
24
+ return url.replace(/\.git$/, "");
25
+ } catch {
26
+ return "";
27
+ }
28
+ }
14
29
  var DEFAULT_PROMPT = `You are a changelog generator. Your task is to analyze git commits and staged changes to generate changelog entries following the Keep a Changelog format.
15
30
 
16
31
  Output Format:
@@ -19,7 +34,7 @@ Return ONLY a JSON object with the following structure:
19
34
  "sections": [
20
35
  {
21
36
  "type": "Added" | "Changed" | "Deprecated" | "Removed" | "Fixed" | "Security",
22
- "items": ["description (by Author, hash)", "description 2 (by Author, hash)"]
37
+ "items": ["description (by Author, YYYY-MM-DD HH:MM, hash)", "description 2 (by Author, YYYY-MM-DD HH:MM, hash)"]
23
38
  }
24
39
  ]
25
40
  }
@@ -30,8 +45,8 @@ Guidelines:
30
45
  - Group related changes together
31
46
  - Focus on user-facing changes
32
47
  - Ignore merge commits and trivial changes
33
- - IMPORTANT: Each item MUST include the author and commit hash from the input in the format: "description (by Author, hash)"
34
- - If multiple commits contribute to the same change, list them: "description (by Author1, hash1; Author2, hash2)"
48
+ - IMPORTANT: Each item MUST include author, datetime, and commit hash from the input in the format: "description (by Author, YYYY-MM-DD HH:MM, hash)"
49
+ - If multiple commits contribute to the same change, list them: "description (by Author1, datetime1, hash1; Author2, datetime2, hash2)"
35
50
  - Parse conventional commits (feat:, fix:, etc.) into appropriate sections:
36
51
  - feat: -> Added
37
52
  - fix: -> Fixed
@@ -113,18 +128,27 @@ function loadConfig(configPath) {
113
128
  }
114
129
  }
115
130
  if (!filePath) {
116
- return resolveConfigEnvVars(DEFAULT_CONFIG);
131
+ const config2 = resolveConfigEnvVars(DEFAULT_CONFIG);
132
+ if (!config2.changelog.repoUrl) {
133
+ config2.changelog.repoUrl = getRepoUrlFromGit();
134
+ }
135
+ return config2;
117
136
  }
118
137
  const content = readFileSync(filePath, "utf-8");
119
138
  const parsed = parse(content);
120
139
  const merged = deepMerge(DEFAULT_CONFIG, parsed);
121
- return resolveConfigEnvVars(merged);
140
+ const config = resolveConfigEnvVars(merged);
141
+ if (!config.changelog.repoUrl) {
142
+ config.changelog.repoUrl = getRepoUrlFromGit();
143
+ }
144
+ return config;
122
145
  }
123
146
  function initConfig(fileName = "tst-changelog.yaml") {
124
147
  const filePath = resolve(process.cwd(), fileName);
125
148
  if (existsSync(filePath)) {
126
149
  throw new Error(`Config file already exists: ${filePath}`);
127
150
  }
151
+ const detectedRepoUrl = getRepoUrlFromGit();
128
152
  const configTemplate = {
129
153
  ai: {
130
154
  provider: "openrouter",
@@ -140,7 +164,7 @@ function initConfig(fileName = "tst-changelog.yaml") {
140
164
  includeTime: true,
141
165
  includeAuthor: true,
142
166
  includeCommitLink: true,
143
- repoUrl: "",
167
+ repoUrl: detectedRepoUrl,
144
168
  groupBy: "type"
145
169
  },
146
170
  git: {
@@ -334,7 +358,10 @@ var AIService = class {
334
358
  parts.push("## Recent Commits:");
335
359
  for (const commit of commits) {
336
360
  const shortHash = commit.hash.slice(0, 7);
337
- parts.push(`- [${shortHash}] (${commit.author}) ${commit.message}`);
361
+ const [date, timePart] = commit.date.split("T");
362
+ const time = timePart?.slice(0, 5) ?? "";
363
+ const datetime = time ? `${date} ${time}` : date;
364
+ parts.push(`- [${shortHash}] (${commit.author}, ${datetime}) ${commit.message}`);
338
365
  if (commit.body) {
339
366
  parts.push(` ${commit.body}`);
340
367
  }
@@ -476,6 +503,73 @@ var ChangelogService = class {
476
503
 
477
504
  ${sectionLines}`;
478
505
  }
506
+ /**
507
+ * Format a simple entry with just version and date (no time, no author)
508
+ * Used for --from-commits mode with date grouping
509
+ */
510
+ formatSimpleEntry(generated, version, date) {
511
+ const headerLine = `## [${version}] - ${date}`;
512
+ const sections = this.sortSections(generated.sections);
513
+ const sectionLines = sections.map((section) => this.formatSection(section)).join("\n\n");
514
+ return `${headerLine}
515
+
516
+ ${sectionLines}`;
517
+ }
518
+ /**
519
+ * Format multiple versioned entries into changelog format
520
+ * Entries should already be sorted (newest first)
521
+ */
522
+ formatMultipleEntries(entries) {
523
+ return entries.map((entry) => this.formatSimpleEntry(entry.generated, entry.version, entry.date)).join("\n\n");
524
+ }
525
+ /**
526
+ * Update changelog with multiple versioned entries (for --from-commits mode)
527
+ * Entries should be in order from newest to oldest (for display order)
528
+ */
529
+ updateWithMultipleEntries(entries) {
530
+ const existing = this.read();
531
+ const newContent = this.formatMultipleEntries(entries);
532
+ if (!existing) {
533
+ return KEEPACHANGELOG_HEADER + newContent + "\n";
534
+ }
535
+ const lines = existing.split("\n");
536
+ let insertIndex = -1;
537
+ for (let i = 0; i < lines.length; i++) {
538
+ const line = lines[i];
539
+ if (line.startsWith("## [")) {
540
+ insertIndex = i;
541
+ break;
542
+ }
543
+ }
544
+ if (insertIndex === -1) {
545
+ return existing.trimEnd() + "\n\n" + newContent + "\n";
546
+ }
547
+ const before = lines.slice(0, insertIndex).join("\n");
548
+ const after = lines.slice(insertIndex).join("\n");
549
+ return before + (before.endsWith("\n") ? "" : "\n") + newContent + "\n\n" + after;
550
+ }
551
+ /**
552
+ * Update JSON changelog with multiple releases (for --from-commits mode)
553
+ * Entries should be in order from newest to oldest
554
+ */
555
+ updateJsonWithMultipleEntries(entries) {
556
+ const existing = this.readJson();
557
+ const newReleases = entries.map((entry) => {
558
+ const sections = {};
559
+ for (const section of entry.generated.sections) {
560
+ sections[section.type] = section.items;
561
+ }
562
+ return {
563
+ version: entry.version,
564
+ date: entry.date,
565
+ sections
566
+ };
567
+ });
568
+ if (!existing) {
569
+ return { releases: newReleases };
570
+ }
571
+ return { releases: [...newReleases, ...existing.releases] };
572
+ }
479
573
  sortSections(sections) {
480
574
  return [...sections].sort((a, b) => {
481
575
  const indexA = SECTION_ORDER.indexOf(a.type);
@@ -484,11 +578,21 @@ ${sectionLines}`;
484
578
  });
485
579
  }
486
580
  formatSection(section) {
487
- const items = section.items.map((item) => `- ${item}`).join("\n");
581
+ const items = section.items.map((item) => `- ${this.formatItemWithLinks(item)}`).join("\n");
488
582
  return `### ${section.type}
489
583
 
490
584
  ${items}`;
491
585
  }
586
+ /**
587
+ * Convert commit hashes in item to markdown links if repoUrl is configured
588
+ */
589
+ formatItemWithLinks(item) {
590
+ if (!this.config.repoUrl) return item;
591
+ const repoUrl = this.config.repoUrl.replace(/\/$/, "");
592
+ return item.replace(/\b([a-f0-9]{7})\b/g, (match) => {
593
+ return `[${match}](${repoUrl}/commit/${match})`;
594
+ });
595
+ }
492
596
  /**
493
597
  * Update or create changelog with new entry
494
598
  */
@@ -694,6 +798,33 @@ ${sectionLines}`;
694
798
  // src/index.ts
695
799
  var __dirname = dirname(fileURLToPath(import.meta.url));
696
800
  var pkg = JSON.parse(readFileSync3(resolve3(__dirname, "../package.json"), "utf-8"));
801
+ function getBaseVersion() {
802
+ const pkgPath = resolve3(process.cwd(), "package.json");
803
+ if (!existsSync3(pkgPath)) {
804
+ return "0.0.0";
805
+ }
806
+ try {
807
+ const projectPkg = JSON.parse(readFileSync3(pkgPath, "utf-8"));
808
+ return projectPkg.version ?? "0.0.0";
809
+ } catch {
810
+ return "0.0.0";
811
+ }
812
+ }
813
+ function incrementMinorVersion(baseVersion, count) {
814
+ const [major] = baseVersion.split(".").map(Number);
815
+ return `${major}.${count}.0`;
816
+ }
817
+ function groupCommitsByDate(commits) {
818
+ const grouped = /* @__PURE__ */ new Map();
819
+ for (const commit of commits) {
820
+ const date = commit.date.split("T")[0];
821
+ if (!grouped.has(date)) {
822
+ grouped.set(date, []);
823
+ }
824
+ grouped.get(date).push(commit);
825
+ }
826
+ return grouped;
827
+ }
697
828
  var program = new Command();
698
829
  program.name("tst-changelog").description("AI-powered changelog generator using OpenRouter").version(pkg.version);
699
830
  program.command("init").description("Create a default configuration file").option("-f, --file <name>", "Config file name", "tst-changelog.yaml").action((options) => {
@@ -714,7 +845,7 @@ program.command("init").description("Create a default configuration file").optio
714
845
  process.exit(1);
715
846
  }
716
847
  });
717
- program.command("generate", { isDefault: true }).description("Generate changelog from staged changes or commit history").option("-c, --config <path>", "Path to config file").option("-d, --dry-run", "Preview without modifying files").option("-v, --verbose", "Enable verbose output").option("--from-commits <count>", "Generate from last N commits instead of staged changes", parseInt).action(run);
848
+ program.command("generate", { isDefault: true }).description("Generate changelog from staged changes or commit history").option("-c, --config <path>", "Path to config file").option("-d, --dry-run", "Preview without modifying files").option("-v, --verbose", "Enable verbose output").option("--from-commits <count>", "Generate from last N commits instead of staged changes", parseInt).option("--version <version>", 'Version label for the changelog entry (default: "Unreleased" or date for --from-commits)').action(run);
718
849
  async function run(options) {
719
850
  const verbose = options.verbose ?? false;
720
851
  try {
@@ -728,20 +859,84 @@ async function run(options) {
728
859
  console.error("Error: Not a git repository");
729
860
  process.exit(1);
730
861
  }
731
- let commits;
732
- let staged;
733
862
  if (options.fromCommits) {
734
863
  if (verbose) console.log(`Getting last ${options.fromCommits} commits...`);
735
- commits = await git.getRecentCommits(options.fromCommits);
864
+ const commits = await git.getRecentCommits(options.fromCommits);
736
865
  if (commits.length === 0) {
737
866
  console.log("No commits found.");
738
867
  process.exit(0);
739
868
  }
740
869
  if (verbose) console.log(`Found ${commits.length} commits`);
741
- staged = { files: [], diff: "" };
870
+ const groupedByDate = groupCommitsByDate(commits);
871
+ const sortedDates = [...groupedByDate.keys()].sort();
872
+ if (verbose) {
873
+ console.log(`Grouped into ${sortedDates.length} date(s):`);
874
+ for (const date of sortedDates) {
875
+ const dateCommits = groupedByDate.get(date);
876
+ console.log(` ${date}: ${dateCommits.length} commit(s)`);
877
+ }
878
+ }
879
+ const baseVersion = getBaseVersion();
880
+ if (verbose) console.log(`Base version: ${baseVersion}`);
881
+ const entries = [];
882
+ const emptyStaged = { files: [], diff: "" };
883
+ for (let i = 0; i < sortedDates.length; i++) {
884
+ const date = sortedDates[i];
885
+ const dateCommits = groupedByDate.get(date);
886
+ const version = incrementMinorVersion(baseVersion, i + 1);
887
+ if (verbose) console.log(`
888
+ Generating changelog for ${date} (${version})...`);
889
+ console.log(`Generating changelog for ${date}...`);
890
+ const generated = await ai.generateChangelog(dateCommits, emptyStaged);
891
+ if (generated.sections.length === 0) {
892
+ if (verbose) console.log(` No entries generated for ${date}, skipping.`);
893
+ continue;
894
+ }
895
+ if (verbose) {
896
+ console.log(` Generated sections for ${date}:`);
897
+ for (const section of generated.sections) {
898
+ console.log(` ${section.type}:`);
899
+ for (const item of section.items) {
900
+ console.log(` - ${item}`);
901
+ }
902
+ }
903
+ }
904
+ entries.push({ version, date, generated });
905
+ }
906
+ if (entries.length === 0) {
907
+ console.log("No changelog entries generated.");
908
+ process.exit(0);
909
+ }
910
+ entries.reverse();
911
+ if (options.dryRun) {
912
+ console.log("\n--- DRY RUN ---");
913
+ console.log("Would update changelog at:", changelog.getFilePath());
914
+ if (changelog.getJsonFilePath()) {
915
+ console.log("Would update JSON at:", changelog.getJsonFilePath());
916
+ }
917
+ console.log(`
918
+ --- ${entries.length} new entries (newest first) ---
919
+ `);
920
+ console.log(changelog.formatMultipleEntries(entries));
921
+ console.log("\n--- JSON releases ---");
922
+ for (const entry of entries) {
923
+ console.log(JSON.stringify({ version: entry.version, date: entry.date }, null, 2));
924
+ }
925
+ console.log("--- End ---\n");
926
+ process.exit(0);
927
+ }
928
+ const newContent = changelog.updateWithMultipleEntries(entries);
929
+ changelog.write(newContent);
930
+ console.log(`Updated: ${changelog.getFilePath()}`);
931
+ if (changelog.getJsonFilePath()) {
932
+ const jsonData = changelog.updateJsonWithMultipleEntries(entries);
933
+ changelog.writeJson(jsonData);
934
+ console.log(`Updated: ${changelog.getJsonFilePath()}`);
935
+ }
936
+ console.log(`Done! Created ${entries.length} version entries.`);
742
937
  } else {
743
938
  if (verbose) console.log("Getting staged changes...");
744
- staged = await git.getStagedChanges();
939
+ const staged = await git.getStagedChanges();
745
940
  if (staged.files.length === 0) {
746
941
  console.log("No staged changes found. Stage some changes first.");
747
942
  process.exit(0);
@@ -751,69 +946,65 @@ async function run(options) {
751
946
  console.log(`Diff length: ${staged.diff.length} chars`);
752
947
  }
753
948
  if (verbose) console.log("Getting recent commits...");
754
- commits = await git.getUnmergedCommits();
949
+ const commits = await git.getUnmergedCommits();
755
950
  if (verbose) console.log(`Found ${commits.length} unmerged commits`);
756
- }
757
- console.log("Generating changelog with AI...");
758
- const generated = await ai.generateChangelog(commits, staged);
759
- if (generated.sections.length === 0) {
760
- console.log("No changelog entries generated.");
761
- if (verbose) console.log("Raw AI response:", generated.raw);
762
- process.exit(0);
763
- }
764
- if (verbose) {
765
- console.log("Generated sections:");
766
- for (const section of generated.sections) {
767
- console.log(` ${section.type}:`);
768
- for (const item of section.items) {
769
- console.log(` - ${item}`);
951
+ console.log("Generating changelog with AI...");
952
+ const generated = await ai.generateChangelog(commits, staged);
953
+ if (generated.sections.length === 0) {
954
+ console.log("No changelog entries generated.");
955
+ if (verbose) console.log("Raw AI response:", generated.raw);
956
+ process.exit(0);
957
+ }
958
+ if (verbose) {
959
+ console.log("Generated sections:");
960
+ for (const section of generated.sections) {
961
+ console.log(` ${section.type}:`);
962
+ for (const item of section.items) {
963
+ console.log(` - ${item}`);
964
+ }
770
965
  }
771
966
  }
772
- }
773
- let metadata = { timestamp: /* @__PURE__ */ new Date() };
774
- if (!options.fromCommits) {
775
967
  const [author, commitHash] = await Promise.all([
776
968
  git.getCurrentUser(),
777
969
  git.getHeadCommit()
778
970
  ]);
779
- metadata = {
971
+ const metadata = {
780
972
  author: author || void 0,
781
973
  commitHash: commitHash || void 0,
782
974
  timestamp: /* @__PURE__ */ new Date()
783
975
  };
784
- }
785
- if (verbose) {
786
- console.log("Metadata:", metadata);
787
- }
788
- const newContent = changelog.update(generated, void 0, metadata);
789
- const jsonData = changelog.updateJson(generated, void 0, metadata);
790
- if (options.dryRun) {
791
- console.log("\n--- DRY RUN ---");
792
- console.log("Would update changelog at:", changelog.getFilePath());
976
+ if (verbose) {
977
+ console.log("Metadata:", metadata);
978
+ }
979
+ const version = options.version;
980
+ const newContent = changelog.update(generated, version, metadata);
981
+ const jsonData = changelog.updateJson(generated, version, metadata);
982
+ if (options.dryRun) {
983
+ console.log("\n--- DRY RUN ---");
984
+ console.log("Would update changelog at:", changelog.getFilePath());
985
+ if (changelog.getJsonFilePath()) {
986
+ console.log("Would update JSON at:", changelog.getJsonFilePath());
987
+ }
988
+ console.log("\n--- New MD entry ---");
989
+ console.log(changelog.formatEntry(generated, version, metadata));
990
+ console.log("\n--- New JSON entry ---");
991
+ console.log(JSON.stringify(jsonData.releases[0], null, 2));
992
+ console.log("--- End ---\n");
993
+ process.exit(0);
994
+ }
995
+ changelog.write(newContent);
996
+ console.log(`Updated: ${changelog.getFilePath()}`);
793
997
  if (changelog.getJsonFilePath()) {
794
- console.log("Would update JSON at:", changelog.getJsonFilePath());
998
+ changelog.writeJson(jsonData);
999
+ console.log(`Updated: ${changelog.getJsonFilePath()}`);
795
1000
  }
796
- console.log("\n--- New MD entry ---");
797
- console.log(changelog.formatEntry(generated, void 0, metadata));
798
- console.log("\n--- New JSON entry ---");
799
- console.log(JSON.stringify(jsonData.releases[0], null, 2));
800
- console.log("--- End ---\n");
801
- process.exit(0);
802
- }
803
- changelog.write(newContent);
804
- console.log(`Updated: ${changelog.getFilePath()}`);
805
- if (changelog.getJsonFilePath()) {
806
- changelog.writeJson(jsonData);
807
- console.log(`Updated: ${changelog.getJsonFilePath()}`);
808
- }
809
- if (!options.fromCommits) {
810
1001
  await git.stageFile(config.changelog.file);
811
1002
  if (config.changelog.jsonFile) {
812
1003
  await git.stageFile(config.changelog.jsonFile);
813
1004
  }
814
1005
  console.log("Staged changelog files");
1006
+ console.log("Done!");
815
1007
  }
816
- console.log("Done!");
817
1008
  } catch (error) {
818
1009
  console.error("Error:", error instanceof Error ? error.message : error);
819
1010
  if (verbose && error instanceof Error) {
package/dist/index.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"sources":["../src/index.ts","../src/config.ts","../src/git.ts","../src/ai.ts","../src/changelog.ts"],"sourcesContent":["import 'dotenv/config';\nimport { Command } from 'commander';\nimport { readFileSync } from 'node:fs';\nimport { fileURLToPath } from 'node:url';\nimport { dirname, resolve } from 'node:path';\nimport { loadConfig, initConfig } from './config.js';\nimport { GitService } from './git.js';\nimport { AIService } from './ai.js';\nimport { ChangelogService } from './changelog.js';\nimport type { CLIOptions, ChangelogMetadata } from './types.js';\n\nconst __dirname = dirname(fileURLToPath(import.meta.url));\nconst pkg = JSON.parse(readFileSync(resolve(__dirname, '../package.json'), 'utf-8'));\n\nconst program = new Command();\n\nprogram\n .name('tst-changelog')\n .description('AI-powered changelog generator using OpenRouter')\n .version(pkg.version);\n\nprogram\n .command('init')\n .description('Create a default configuration file')\n .option('-f, --file <name>', 'Config file name', 'tst-changelog.yaml')\n .action((options: { file: string }) => {\n try {\n const result = initConfig(options.file);\n console.log(`Created config file: ${result.configPath}`);\n\n if (result.huskyConfigured) {\n console.log(`Configured husky hook: ${result.huskyHook}`);\n }\n\n console.log('\\nNext steps:');\n console.log('1. Set the OPENROUTER_API_KEY environment variable');\n console.log('2. Adjust settings in the config file as needed');\n if (!result.huskyConfigured) {\n console.log('3. Run: npx tst-changelog generate');\n }\n } catch (error) {\n console.error('Error:', error instanceof Error ? error.message : error);\n process.exit(1);\n }\n });\n\nprogram\n .command('generate', { isDefault: true })\n .description('Generate changelog from staged changes or commit history')\n .option('-c, --config <path>', 'Path to config file')\n .option('-d, --dry-run', 'Preview without modifying files')\n .option('-v, --verbose', 'Enable verbose output')\n .option('--from-commits <count>', 'Generate from last N commits instead of staged changes', parseInt)\n .action(run);\n\nasync function run(options: CLIOptions): Promise<void> {\n const verbose = options.verbose ?? false;\n\n try {\n // Load configuration\n if (verbose) console.log('Loading configuration...');\n const config = loadConfig(options.config);\n if (verbose) console.log('Config loaded:', JSON.stringify(config, null, 2));\n\n // Initialize services\n const git = new GitService(config.git);\n const ai = new AIService(config.ai);\n const changelog = new ChangelogService(config.changelog);\n\n // Check if we're in a git repo\n if (!(await git.isGitRepo())) {\n console.error('Error: Not a git repository');\n process.exit(1);\n }\n\n let commits;\n let staged;\n\n if (options.fromCommits) {\n // Generate from commit history\n if (verbose) console.log(`Getting last ${options.fromCommits} commits...`);\n commits = await git.getRecentCommits(options.fromCommits);\n\n if (commits.length === 0) {\n console.log('No commits found.');\n process.exit(0);\n }\n\n if (verbose) console.log(`Found ${commits.length} commits`);\n\n // Empty staged for history mode\n staged = { files: [], diff: '' };\n } else {\n // Get staged changes (default behavior)\n if (verbose) console.log('Getting staged changes...');\n staged = await git.getStagedChanges();\n\n if (staged.files.length === 0) {\n console.log('No staged changes found. Stage some changes first.');\n process.exit(0);\n }\n\n if (verbose) {\n console.log(`Staged files: ${staged.files.join(', ')}`);\n console.log(`Diff length: ${staged.diff.length} chars`);\n }\n\n // Get recent commits for context\n if (verbose) console.log('Getting recent commits...');\n commits = await git.getUnmergedCommits();\n if (verbose) console.log(`Found ${commits.length} unmerged commits`);\n }\n\n // Generate changelog using AI\n console.log('Generating changelog with AI...');\n const generated = await ai.generateChangelog(commits, staged);\n\n if (generated.sections.length === 0) {\n console.log('No changelog entries generated.');\n if (verbose) console.log('Raw AI response:', generated.raw);\n process.exit(0);\n }\n\n if (verbose) {\n console.log('Generated sections:');\n for (const section of generated.sections) {\n console.log(` ${section.type}:`);\n for (const item of section.items) {\n console.log(` - ${item}`);\n }\n }\n }\n\n // Collect metadata for changelog entry\n // Skip author/commit for --from-commits mode since it covers multiple commits\n let metadata: ChangelogMetadata = { timestamp: new Date() };\n\n if (!options.fromCommits) {\n const [author, commitHash] = await Promise.all([\n git.getCurrentUser(),\n git.getHeadCommit(),\n ]);\n metadata = {\n author: author || undefined,\n commitHash: commitHash || undefined,\n timestamp: new Date(),\n };\n }\n\n if (verbose) {\n console.log('Metadata:', metadata);\n }\n\n // Update changelog (MD)\n const newContent = changelog.update(generated, undefined, metadata);\n\n // Update changelog (JSON)\n const jsonData = changelog.updateJson(generated, undefined, metadata);\n\n if (options.dryRun) {\n console.log('\\n--- DRY RUN ---');\n console.log('Would update changelog at:', changelog.getFilePath());\n if (changelog.getJsonFilePath()) {\n console.log('Would update JSON at:', changelog.getJsonFilePath());\n }\n console.log('\\n--- New MD entry ---');\n console.log(changelog.formatEntry(generated, undefined, metadata));\n console.log('\\n--- New JSON entry ---');\n console.log(JSON.stringify(jsonData.releases[0], null, 2));\n console.log('--- End ---\\n');\n process.exit(0);\n }\n\n // Write changelog (MD)\n changelog.write(newContent);\n console.log(`Updated: ${changelog.getFilePath()}`);\n\n // Write changelog (JSON)\n if (changelog.getJsonFilePath()) {\n changelog.writeJson(jsonData);\n console.log(`Updated: ${changelog.getJsonFilePath()}`);\n }\n\n // Only auto-stage when using staged changes mode (not --from-commits)\n if (!options.fromCommits) {\n await git.stageFile(config.changelog.file);\n if (config.changelog.jsonFile) {\n await git.stageFile(config.changelog.jsonFile);\n }\n console.log('Staged changelog files');\n }\n\n console.log('Done!');\n } catch (error) {\n console.error('Error:', error instanceof Error ? error.message : error);\n if (verbose && error instanceof Error) {\n console.error(error.stack);\n }\n process.exit(1);\n }\n}\n\nprogram.parse();\n\n// Export for programmatic usage\nexport { loadConfig, initConfig, type InitResult } from './config.js';\nexport { GitService } from './git.js';\nexport { AIService } from './ai.js';\nexport { ChangelogService } from './changelog.js';\nexport * from './types.js';\n","import { readFileSync, existsSync, writeFileSync, appendFileSync } from 'node:fs';\nimport { resolve } from 'node:path';\nimport { parse, stringify } from 'yaml';\nimport type { Config } from './types.js';\n\nconst DEFAULT_PROMPT = `You are a changelog generator. Your task is to analyze git commits and staged changes to generate changelog entries following the Keep a Changelog format.\n\nOutput Format:\nReturn ONLY a JSON object with the following structure:\n{\n \"sections\": [\n {\n \"type\": \"Added\" | \"Changed\" | \"Deprecated\" | \"Removed\" | \"Fixed\" | \"Security\",\n \"items\": [\"description (by Author, hash)\", \"description 2 (by Author, hash)\"]\n }\n ]\n}\n\nGuidelines:\n- Use present tense (e.g., \"Add feature\" not \"Added feature\")\n- Be concise but descriptive\n- Group related changes together\n- Focus on user-facing changes\n- Ignore merge commits and trivial changes\n- IMPORTANT: Each item MUST include the author and commit hash from the input in the format: \"description (by Author, hash)\"\n- If multiple commits contribute to the same change, list them: \"description (by Author1, hash1; Author2, hash2)\"\n- Parse conventional commits (feat:, fix:, etc.) into appropriate sections:\n - feat: -> Added\n - fix: -> Fixed\n - docs:, style:, refactor:, perf:, test:, chore: -> Changed\n - BREAKING CHANGE: -> Changed (mention breaking)\n - deprecate: -> Deprecated\n - remove: -> Removed\n - security: -> Security`;\n\nconst DEFAULT_CONFIG: Config = {\n ai: {\n provider: 'openrouter',\n model: 'anthropic/claude-sonnet-4.5',\n token: '${OPENROUTER_API_KEY}',\n prompt: DEFAULT_PROMPT,\n },\n changelog: {\n file: 'CHANGELOG.md',\n jsonFile: 'changelog.json',\n format: 'keepachangelog',\n includeDate: true,\n includeTime: true,\n includeAuthor: true,\n includeCommitLink: true,\n repoUrl: '',\n groupBy: 'type',\n },\n git: {\n baseBranch: 'main',\n analyzeDepth: 50,\n },\n};\n\n/**\n * Resolve environment variables in config values\n * Supports ${ENV_VAR} syntax\n */\nfunction resolveEnvVars(value: string): string {\n return value.replace(/\\$\\{([^}]+)\\}/g, (_, envVar) => {\n const envValue = process.env[envVar];\n if (!envValue) {\n throw new Error(`Environment variable ${envVar} is not set`);\n }\n return envValue;\n });\n}\n\n/**\n * Recursively resolve env vars in object\n */\nfunction resolveConfigEnvVars<T>(obj: T): T {\n if (typeof obj === 'string') {\n return resolveEnvVars(obj) as T;\n }\n if (Array.isArray(obj)) {\n return obj.map(resolveConfigEnvVars) as T;\n }\n if (obj && typeof obj === 'object') {\n const resolved: Record<string, unknown> = {};\n for (const [key, value] of Object.entries(obj)) {\n resolved[key] = resolveConfigEnvVars(value);\n }\n return resolved as T;\n }\n return obj;\n}\n\n/**\n * Deep merge two objects\n */\nfunction deepMerge(target: Config, source: Partial<Config>): Config {\n return {\n ai: { ...target.ai, ...source.ai },\n changelog: { ...target.changelog, ...source.changelog },\n git: { ...target.git, ...source.git },\n };\n}\n\n/**\n * Load configuration from yaml file\n */\nexport function loadConfig(configPath?: string): Config {\n const defaultPaths = ['tst-changelog.yaml', 'tst-changelog.yml', '.tst-changelog.yaml'];\n\n let filePath: string | undefined;\n\n if (configPath) {\n filePath = resolve(process.cwd(), configPath);\n if (!existsSync(filePath)) {\n throw new Error(`Config file not found: ${filePath}`);\n }\n } else {\n for (const p of defaultPaths) {\n const fullPath = resolve(process.cwd(), p);\n if (existsSync(fullPath)) {\n filePath = fullPath;\n break;\n }\n }\n }\n\n if (!filePath) {\n return resolveConfigEnvVars(DEFAULT_CONFIG);\n }\n\n const content = readFileSync(filePath, 'utf-8');\n const parsed = parse(content) as Partial<Config>;\n\n const merged = deepMerge(DEFAULT_CONFIG, parsed);\n return resolveConfigEnvVars(merged);\n}\n\nexport interface InitResult {\n configPath: string;\n huskyConfigured: boolean;\n huskyHook?: string;\n}\n\n/**\n * Initialize a new config file with defaults\n */\nexport function initConfig(fileName = 'tst-changelog.yaml'): InitResult {\n const filePath = resolve(process.cwd(), fileName);\n\n if (existsSync(filePath)) {\n throw new Error(`Config file already exists: ${filePath}`);\n }\n\n const configTemplate: Config = {\n ai: {\n provider: 'openrouter',\n model: 'anthropic/claude-sonnet-4.5',\n token: '${OPENROUTER_API_KEY}',\n prompt: DEFAULT_PROMPT,\n },\n changelog: {\n file: 'CHANGELOG.md',\n jsonFile: 'changelog.json',\n format: 'keepachangelog',\n includeDate: true,\n includeTime: true,\n includeAuthor: true,\n includeCommitLink: true,\n repoUrl: '',\n groupBy: 'type',\n },\n git: {\n baseBranch: 'main',\n analyzeDepth: 50,\n },\n };\n\n const content = stringify(configTemplate, { lineWidth: 0 });\n writeFileSync(filePath, content, 'utf-8');\n\n // Check for husky and configure hook\n const huskyResult = configureHusky();\n\n return {\n configPath: filePath,\n ...huskyResult,\n };\n}\n\n/**\n * Configure husky pre-commit hook if husky is present\n */\nfunction configureHusky(): { huskyConfigured: boolean; huskyHook?: string } {\n const huskyDir = resolve(process.cwd(), '.husky');\n\n if (!existsSync(huskyDir)) {\n return { huskyConfigured: false };\n }\n\n const preCommitPath = resolve(huskyDir, 'pre-commit');\n const commands = `npx tst-changelog generate\ngit add CHANGELOG.md changelog.json 2>/dev/null || true`;\n\n // Check if hook already exists\n if (existsSync(preCommitPath)) {\n const content = readFileSync(preCommitPath, 'utf-8');\n if (content.includes('tst-changelog')) {\n return { huskyConfigured: false }; // Already configured\n }\n // Append to existing hook\n appendFileSync(preCommitPath, `\\n${commands}\\n`);\n } else {\n // Create new hook\n writeFileSync(preCommitPath, `#!/usr/bin/env sh\\n. \"$(dirname -- \"$0\")/_/husky.sh\"\\n\\n${commands}\\n`, { mode: 0o755 });\n }\n\n return { huskyConfigured: true, huskyHook: preCommitPath };\n}\n","import simpleGit, { SimpleGit } from 'simple-git';\nimport type { CommitInfo, StagedChanges, GitConfig } from './types.js';\n\nexport class GitService {\n private git: SimpleGit;\n private config: GitConfig;\n\n constructor(config: GitConfig, cwd?: string) {\n this.git = simpleGit(cwd);\n this.config = config;\n }\n\n /**\n * Get list of staged files\n */\n async getStagedFiles(): Promise<string[]> {\n const status = await this.git.status();\n return status.staged;\n }\n\n /**\n * Get diff of staged changes\n */\n async getStagedDiff(): Promise<string> {\n const diff = await this.git.diff(['--cached']);\n return diff;\n }\n\n /**\n * Get staged changes (files + diff)\n */\n async getStagedChanges(): Promise<StagedChanges> {\n const [files, diff] = await Promise.all([\n this.getStagedFiles(),\n this.getStagedDiff(),\n ]);\n return { files, diff };\n }\n\n /**\n * Get recent commits from the base branch\n */\n async getRecentCommits(count?: number): Promise<CommitInfo[]> {\n const limit = count ?? this.config.analyzeDepth;\n const log = await this.git.log({\n maxCount: limit,\n format: {\n hash: '%H',\n message: '%s',\n author: '%an',\n date: '%aI',\n body: '%b',\n },\n });\n\n return log.all.map((commit) => ({\n hash: commit.hash,\n message: commit.message,\n author: commit.author,\n date: commit.date,\n body: commit.body?.trim() || undefined,\n }));\n }\n\n /**\n * Get commits not yet in base branch (for feature branches)\n */\n async getUnmergedCommits(): Promise<CommitInfo[]> {\n try {\n const log = await this.git.log({\n from: this.config.baseBranch,\n to: 'HEAD',\n format: {\n hash: '%H',\n message: '%s',\n author: '%an',\n date: '%aI',\n body: '%b',\n },\n });\n\n return log.all.map((commit) => ({\n hash: commit.hash,\n message: commit.message,\n author: commit.author,\n date: commit.date,\n body: commit.body?.trim() || undefined,\n }));\n } catch {\n // If base branch doesn't exist, return empty\n return [];\n }\n }\n\n /**\n * Get current branch name\n */\n async getCurrentBranch(): Promise<string> {\n const branch = await this.git.revparse(['--abbrev-ref', 'HEAD']);\n return branch.trim();\n }\n\n /**\n * Stage a file\n */\n async stageFile(filePath: string): Promise<void> {\n await this.git.add(filePath);\n }\n\n /**\n * Check if we're in a git repository\n */\n async isGitRepo(): Promise<boolean> {\n try {\n await this.git.revparse(['--git-dir']);\n return true;\n } catch {\n return false;\n }\n }\n\n /**\n * Get current git user name\n */\n async getCurrentUser(): Promise<string> {\n try {\n const name = await this.git.getConfig('user.name');\n return name.value ?? '';\n } catch {\n return '';\n }\n }\n\n /**\n * Get HEAD commit hash\n */\n async getHeadCommit(): Promise<string> {\n try {\n const hash = await this.git.revparse(['HEAD']);\n return hash.trim();\n } catch {\n return '';\n }\n }\n}\n","import type { AIConfig, CommitInfo, StagedChanges, GeneratedChangelog, ChangelogSection, ChangeType } from './types.js';\n\nconst OPENROUTER_API_URL = 'https://openrouter.ai/api/v1/chat/completions';\n\ninterface OpenRouterResponse {\n choices: Array<{\n message: {\n content: string;\n };\n }>;\n}\n\nexport class AIService {\n private config: AIConfig;\n\n constructor(config: AIConfig) {\n this.config = config;\n }\n\n /**\n * Generate changelog entries from commits and staged changes\n */\n async generateChangelog(\n commits: CommitInfo[],\n staged: StagedChanges\n ): Promise<GeneratedChangelog> {\n const userPrompt = this.buildPrompt(commits, staged);\n const response = await this.callOpenRouter(userPrompt);\n return this.parseResponse(response);\n }\n\n private buildPrompt(commits: CommitInfo[], staged: StagedChanges): string {\n const parts: string[] = [];\n\n if (commits.length > 0) {\n parts.push('## Recent Commits:');\n for (const commit of commits) {\n const shortHash = commit.hash.slice(0, 7);\n parts.push(`- [${shortHash}] (${commit.author}) ${commit.message}`);\n if (commit.body) {\n parts.push(` ${commit.body}`);\n }\n }\n }\n\n if (staged.files.length > 0) {\n parts.push('\\n## Staged Files:');\n parts.push(staged.files.join('\\n'));\n }\n\n if (staged.diff) {\n // Limit diff size to avoid token limits\n const maxDiffLength = 4000;\n const truncatedDiff = staged.diff.length > maxDiffLength\n ? staged.diff.slice(0, maxDiffLength) + '\\n... (truncated)'\n : staged.diff;\n parts.push('\\n## Staged Diff:');\n parts.push('```diff');\n parts.push(truncatedDiff);\n parts.push('```');\n }\n\n parts.push('\\nGenerate changelog entries for these changes.');\n\n return parts.join('\\n');\n }\n\n private async callOpenRouter(prompt: string): Promise<string> {\n const response = await fetch(OPENROUTER_API_URL, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${this.config.token}`,\n 'HTTP-Referer': 'https://github.com/testudosrl/tst-libs',\n 'X-Title': 'tst-changelog',\n },\n body: JSON.stringify({\n model: this.config.model,\n messages: [\n { role: 'system', content: this.config.prompt ?? '' },\n { role: 'user', content: prompt },\n ],\n temperature: 0.3,\n max_tokens: 4000,\n }),\n });\n\n if (!response.ok) {\n const error = await response.text();\n throw new Error(`OpenRouter API error: ${response.status} - ${error}`);\n }\n\n const data = (await response.json()) as OpenRouterResponse;\n return data.choices[0]?.message?.content ?? '';\n }\n\n private parseResponse(response: string): GeneratedChangelog {\n try {\n // Extract JSON from response (handle markdown code blocks or raw JSON)\n let jsonStr = response;\n\n // Try markdown code block first\n const codeBlockMatch = response.match(/```(?:json)?\\s*([\\s\\S]*?)```/);\n if (codeBlockMatch) {\n jsonStr = codeBlockMatch[1];\n } else {\n // Try to find JSON object in the response\n const jsonObjectMatch = response.match(/\\{[\\s\\S]*\"sections\"[\\s\\S]*\\}/);\n if (jsonObjectMatch) {\n jsonStr = jsonObjectMatch[0];\n }\n }\n\n const parsed = JSON.parse(jsonStr.trim()) as { sections: ChangelogSection[] };\n\n // Validate and normalize sections\n const validTypes: ChangeType[] = ['Added', 'Changed', 'Deprecated', 'Removed', 'Fixed', 'Security'];\n const sections = parsed.sections\n .filter((s) => validTypes.includes(s.type))\n .map((s) => ({\n type: s.type,\n items: Array.isArray(s.items) ? s.items.filter((i) => typeof i === 'string') : [],\n }))\n .filter((s) => s.items.length > 0);\n\n return {\n raw: response,\n sections,\n };\n } catch (error) {\n console.error('Failed to parse AI response:', error);\n console.error('Raw response:', response);\n return {\n raw: response,\n sections: [],\n };\n }\n }\n}\n","import { readFileSync, writeFileSync, existsSync } from 'node:fs';\nimport { resolve } from 'node:path';\nimport type { ChangelogConfig, ChangelogSection, GeneratedChangelog, ChangelogMetadata, ChangelogJson, ChangelogJsonRelease } from './types.js';\n\nconst KEEPACHANGELOG_HEADER = `# Changelog\n\nAll notable changes to this project will be documented in this file.\n\nThe format is based on [Keep a Changelog](https://keepachangelog.com/en/1.1.0/),\nand this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).\n\n`;\n\nconst SECTION_ORDER = ['Added', 'Changed', 'Deprecated', 'Removed', 'Fixed', 'Security'] as const;\n\nexport class ChangelogService {\n private config: ChangelogConfig;\n private filePath: string;\n\n constructor(config: ChangelogConfig, cwd?: string) {\n this.config = config;\n this.filePath = resolve(cwd ?? process.cwd(), config.file);\n }\n\n /**\n * Read existing changelog content\n */\n read(): string | null {\n if (!existsSync(this.filePath)) {\n return null;\n }\n return readFileSync(this.filePath, 'utf-8');\n }\n\n /**\n * Generate new changelog entry\n */\n formatEntry(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): string {\n const versionStr = version ?? 'Unreleased';\n const headerParts: string[] = [`## [${versionStr}]`];\n\n // Date and time\n if (this.config.includeDate) {\n const now = metadata?.timestamp ?? new Date();\n let dateStr = now.toISOString().split('T')[0];\n if (this.config.includeTime) {\n const timeStr = now.toTimeString().split(' ')[0].slice(0, 5); // HH:MM\n dateStr += ` ${timeStr}`;\n }\n headerParts.push(`- ${dateStr}`);\n }\n\n // Author\n if (this.config.includeAuthor && metadata?.author) {\n headerParts.push(`by ${metadata.author}`);\n }\n\n // Commit link\n if (this.config.includeCommitLink && metadata?.commitHash) {\n const shortHash = metadata.commitHash.slice(0, 7);\n if (this.config.repoUrl) {\n const commitUrl = `${this.config.repoUrl.replace(/\\/$/, '')}/commit/${metadata.commitHash}`;\n headerParts.push(`([${shortHash}](${commitUrl}))`);\n } else {\n headerParts.push(`(${shortHash})`);\n }\n }\n\n const headerLine = headerParts.join(' ');\n\n const sections = this.sortSections(generated.sections);\n const sectionLines = sections\n .map((section) => this.formatSection(section))\n .join('\\n\\n');\n\n return `${headerLine}\\n\\n${sectionLines}`;\n }\n\n private sortSections(sections: ChangelogSection[]): ChangelogSection[] {\n return [...sections].sort((a, b) => {\n const indexA = SECTION_ORDER.indexOf(a.type as typeof SECTION_ORDER[number]);\n const indexB = SECTION_ORDER.indexOf(b.type as typeof SECTION_ORDER[number]);\n return indexA - indexB;\n });\n }\n\n private formatSection(section: ChangelogSection): string {\n const items = section.items.map((item) => `- ${item}`).join('\\n');\n return `### ${section.type}\\n\\n${items}`;\n }\n\n /**\n * Update or create changelog with new entry\n */\n update(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): string {\n const existing = this.read();\n\n if (!existing) {\n // Create new changelog\n const newEntry = this.formatEntry(generated, version, metadata);\n return KEEPACHANGELOG_HEADER + newEntry + '\\n';\n }\n\n // Find where to insert new entry (after header, before first version)\n const lines = existing.split('\\n');\n let insertIndex = -1;\n\n // Look for ## [Unreleased] or first ## [ section\n for (let i = 0; i < lines.length; i++) {\n const line = lines[i];\n if (line.startsWith('## [Unreleased]')) {\n // Merge with existing unreleased section\n const endIndex = this.findSectionEnd(lines, i + 1);\n const existingSectionLines = lines.slice(i, endIndex);\n const mergedSection = this.mergeUnreleasedSection(existingSectionLines, generated, metadata);\n const before = lines.slice(0, i).join('\\n');\n const after = lines.slice(endIndex).join('\\n');\n return before + (before.endsWith('\\n') ? '' : '\\n') + mergedSection + '\\n' + after;\n }\n if (line.startsWith('## [') && insertIndex === -1) {\n insertIndex = i;\n break;\n }\n }\n\n const newEntry = this.formatEntry(generated, version, metadata);\n\n if (insertIndex === -1) {\n // No version sections found, append after header\n return existing.trimEnd() + '\\n\\n' + newEntry + '\\n';\n }\n\n // Insert before first version\n const before = lines.slice(0, insertIndex).join('\\n');\n const after = lines.slice(insertIndex).join('\\n');\n return before + (before.endsWith('\\n') ? '' : '\\n') + newEntry + '\\n\\n' + after;\n }\n\n /**\n * Merge new entries into existing Unreleased section\n */\n private mergeUnreleasedSection(\n existingLines: string[],\n generated: GeneratedChangelog,\n metadata?: ChangelogMetadata\n ): string {\n // Parse existing sections\n const existingSections: Map<string, string[]> = new Map();\n let currentSection: string | null = null;\n\n for (const line of existingLines) {\n if (line.startsWith('### ')) {\n currentSection = line.slice(4).trim();\n if (!existingSections.has(currentSection)) {\n existingSections.set(currentSection, []);\n }\n } else if (currentSection && line.startsWith('- ')) {\n existingSections.get(currentSection)!.push(line.slice(2));\n }\n }\n\n // Merge new sections\n for (const section of generated.sections) {\n const existing = existingSections.get(section.type) ?? [];\n // Add new items that don't already exist\n for (const item of section.items) {\n if (!existing.includes(item)) {\n existing.push(item);\n }\n }\n existingSections.set(section.type, existing);\n }\n\n // Build merged entry\n const versionStr = 'Unreleased';\n const headerParts: string[] = [`## [${versionStr}]`];\n\n if (this.config.includeDate) {\n const now = metadata?.timestamp ?? new Date();\n let dateStr = now.toISOString().split('T')[0];\n if (this.config.includeTime) {\n const timeStr = now.toTimeString().split(' ')[0].slice(0, 5);\n dateStr += ` ${timeStr}`;\n }\n headerParts.push(`- ${dateStr}`);\n }\n\n if (this.config.includeAuthor && metadata?.author) {\n headerParts.push(`by ${metadata.author}`);\n }\n\n if (this.config.includeCommitLink && metadata?.commitHash) {\n const shortHash = metadata.commitHash.slice(0, 7);\n if (this.config.repoUrl) {\n const commitUrl = `${this.config.repoUrl.replace(/\\/$/, '')}/commit/${metadata.commitHash}`;\n headerParts.push(`([${shortHash}](${commitUrl}))`);\n } else {\n headerParts.push(`(${shortHash})`);\n }\n }\n\n const headerLine = headerParts.join(' ');\n\n // Sort and format sections\n const sortedSections: ChangelogSection[] = [];\n for (const type of SECTION_ORDER) {\n const items = existingSections.get(type);\n if (items && items.length > 0) {\n sortedSections.push({ type, items });\n }\n }\n\n const sectionLines = sortedSections\n .map((section) => this.formatSection(section))\n .join('\\n\\n');\n\n return `${headerLine}\\n\\n${sectionLines}`;\n }\n\n private findSectionEnd(lines: string[], startIndex: number): number {\n for (let i = startIndex; i < lines.length; i++) {\n if (lines[i].startsWith('## [')) {\n return i;\n }\n }\n return lines.length;\n }\n\n /**\n * Write changelog to file\n */\n write(content: string): void {\n writeFileSync(this.filePath, content, 'utf-8');\n }\n\n /**\n * Get the file path\n */\n getFilePath(): string {\n return this.filePath;\n }\n\n /**\n * Get JSON file path if configured\n */\n getJsonFilePath(): string | null {\n if (!this.config.jsonFile) return null;\n return resolve(process.cwd(), this.config.jsonFile);\n }\n\n /**\n * Read existing JSON changelog\n */\n readJson(): ChangelogJson | null {\n const jsonPath = this.getJsonFilePath();\n if (!jsonPath || !existsSync(jsonPath)) {\n return null;\n }\n try {\n const content = readFileSync(jsonPath, 'utf-8');\n return JSON.parse(content) as ChangelogJson;\n } catch {\n return null;\n }\n }\n\n /**\n * Create a JSON release entry from generated changelog\n */\n createJsonRelease(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): ChangelogJsonRelease {\n const now = metadata?.timestamp ?? new Date();\n const sections: Record<string, string[]> = {};\n\n for (const section of generated.sections) {\n sections[section.type] = section.items;\n }\n\n const release: ChangelogJsonRelease = {\n version: version ?? 'Unreleased',\n date: now.toISOString().split('T')[0],\n sections,\n };\n\n if (this.config.includeTime) {\n release.time = now.toTimeString().split(' ')[0].slice(0, 5);\n }\n\n if (this.config.includeAuthor && metadata?.author) {\n release.author = metadata.author;\n }\n\n if (this.config.includeCommitLink && metadata?.commitHash) {\n release.commitHash = metadata.commitHash;\n }\n\n return release;\n }\n\n /**\n * Update JSON changelog with new release\n */\n updateJson(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): ChangelogJson {\n const newRelease = this.createJsonRelease(generated, version, metadata);\n const existing = this.readJson();\n\n if (!existing) {\n return { releases: [newRelease] };\n }\n\n // Find and merge or prepend\n const unreleasedIndex = existing.releases.findIndex(r => r.version === 'Unreleased');\n\n if (unreleasedIndex >= 0 && newRelease.version === 'Unreleased') {\n // Merge with existing unreleased\n const existingRelease = existing.releases[unreleasedIndex];\n for (const [type, items] of Object.entries(newRelease.sections)) {\n const existingItems = existingRelease.sections[type] ?? [];\n for (const item of items) {\n if (!existingItems.includes(item)) {\n existingItems.push(item);\n }\n }\n existingRelease.sections[type] = existingItems;\n }\n // Update metadata to latest\n existingRelease.date = newRelease.date;\n if (newRelease.time) existingRelease.time = newRelease.time;\n if (newRelease.author) existingRelease.author = newRelease.author;\n if (newRelease.commitHash) existingRelease.commitHash = newRelease.commitHash;\n } else {\n // Prepend new release\n existing.releases.unshift(newRelease);\n }\n\n return existing;\n }\n\n /**\n * Write JSON changelog to file\n */\n writeJson(data: ChangelogJson): void {\n const jsonPath = this.getJsonFilePath();\n if (!jsonPath) return;\n writeFileSync(jsonPath, JSON.stringify(data, null, 2), 'utf-8');\n }\n}\n"],"mappings":";;;AAAA,OAAO;AACP,SAAS,eAAe;AACxB,SAAS,gBAAAA,qBAAoB;AAC7B,SAAS,qBAAqB;AAC9B,SAAS,SAAS,WAAAC,gBAAe;;;ACJjC,SAAS,cAAc,YAAY,eAAe,sBAAsB;AACxE,SAAS,eAAe;AACxB,SAAS,OAAO,iBAAiB;AAGjC,IAAM,iBAAiB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AA8BvB,IAAM,iBAAyB;AAAA,EAC7B,IAAI;AAAA,IACF,UAAU;AAAA,IACV,OAAO;AAAA,IACP,OAAO;AAAA,IACP,QAAQ;AAAA,EACV;AAAA,EACA,WAAW;AAAA,IACT,MAAM;AAAA,IACN,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,aAAa;AAAA,IACb,aAAa;AAAA,IACb,eAAe;AAAA,IACf,mBAAmB;AAAA,IACnB,SAAS;AAAA,IACT,SAAS;AAAA,EACX;AAAA,EACA,KAAK;AAAA,IACH,YAAY;AAAA,IACZ,cAAc;AAAA,EAChB;AACF;AAMA,SAAS,eAAe,OAAuB;AAC7C,SAAO,MAAM,QAAQ,kBAAkB,CAAC,GAAG,WAAW;AACpD,UAAM,WAAW,QAAQ,IAAI,MAAM;AACnC,QAAI,CAAC,UAAU;AACb,YAAM,IAAI,MAAM,wBAAwB,MAAM,aAAa;AAAA,IAC7D;AACA,WAAO;AAAA,EACT,CAAC;AACH;AAKA,SAAS,qBAAwB,KAAW;AAC1C,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,eAAe,GAAG;AAAA,EAC3B;AACA,MAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,WAAO,IAAI,IAAI,oBAAoB;AAAA,EACrC;AACA,MAAI,OAAO,OAAO,QAAQ,UAAU;AAClC,UAAM,WAAoC,CAAC;AAC3C,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,GAAG;AAC9C,eAAS,GAAG,IAAI,qBAAqB,KAAK;AAAA,IAC5C;AACA,WAAO;AAAA,EACT;AACA,SAAO;AACT;AAKA,SAAS,UAAU,QAAgB,QAAiC;AAClE,SAAO;AAAA,IACL,IAAI,EAAE,GAAG,OAAO,IAAI,GAAG,OAAO,GAAG;AAAA,IACjC,WAAW,EAAE,GAAG,OAAO,WAAW,GAAG,OAAO,UAAU;AAAA,IACtD,KAAK,EAAE,GAAG,OAAO,KAAK,GAAG,OAAO,IAAI;AAAA,EACtC;AACF;AAKO,SAAS,WAAW,YAA6B;AACtD,QAAM,eAAe,CAAC,sBAAsB,qBAAqB,qBAAqB;AAEtF,MAAI;AAEJ,MAAI,YAAY;AACd,eAAW,QAAQ,QAAQ,IAAI,GAAG,UAAU;AAC5C,QAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,YAAM,IAAI,MAAM,0BAA0B,QAAQ,EAAE;AAAA,IACtD;AAAA,EACF,OAAO;AACL,eAAW,KAAK,cAAc;AAC5B,YAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,CAAC;AACzC,UAAI,WAAW,QAAQ,GAAG;AACxB,mBAAW;AACX;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,UAAU;AACb,WAAO,qBAAqB,cAAc;AAAA,EAC5C;AAEA,QAAM,UAAU,aAAa,UAAU,OAAO;AAC9C,QAAM,SAAS,MAAM,OAAO;AAE5B,QAAM,SAAS,UAAU,gBAAgB,MAAM;AAC/C,SAAO,qBAAqB,MAAM;AACpC;AAWO,SAAS,WAAW,WAAW,sBAAkC;AACtE,QAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,QAAQ;AAEhD,MAAI,WAAW,QAAQ,GAAG;AACxB,UAAM,IAAI,MAAM,+BAA+B,QAAQ,EAAE;AAAA,EAC3D;AAEA,QAAM,iBAAyB;AAAA,IAC7B,IAAI;AAAA,MACF,UAAU;AAAA,MACV,OAAO;AAAA,MACP,OAAO;AAAA,MACP,QAAQ;AAAA,IACV;AAAA,IACA,WAAW;AAAA,MACT,MAAM;AAAA,MACN,UAAU;AAAA,MACV,QAAQ;AAAA,MACR,aAAa;AAAA,MACb,aAAa;AAAA,MACb,eAAe;AAAA,MACf,mBAAmB;AAAA,MACnB,SAAS;AAAA,MACT,SAAS;AAAA,IACX;AAAA,IACA,KAAK;AAAA,MACH,YAAY;AAAA,MACZ,cAAc;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,UAAU,UAAU,gBAAgB,EAAE,WAAW,EAAE,CAAC;AAC1D,gBAAc,UAAU,SAAS,OAAO;AAGxC,QAAM,cAAc,eAAe;AAEnC,SAAO;AAAA,IACL,YAAY;AAAA,IACZ,GAAG;AAAA,EACL;AACF;AAKA,SAAS,iBAAmE;AAC1E,QAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,QAAQ;AAEhD,MAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,WAAO,EAAE,iBAAiB,MAAM;AAAA,EAClC;AAEA,QAAM,gBAAgB,QAAQ,UAAU,YAAY;AACpD,QAAM,WAAW;AAAA;AAIjB,MAAI,WAAW,aAAa,GAAG;AAC7B,UAAM,UAAU,aAAa,eAAe,OAAO;AACnD,QAAI,QAAQ,SAAS,eAAe,GAAG;AACrC,aAAO,EAAE,iBAAiB,MAAM;AAAA,IAClC;AAEA,mBAAe,eAAe;AAAA,EAAK,QAAQ;AAAA,CAAI;AAAA,EACjD,OAAO;AAEL,kBAAc,eAAe;AAAA;AAAA;AAAA,EAA2D,QAAQ;AAAA,GAAM,EAAE,MAAM,IAAM,CAAC;AAAA,EACvH;AAEA,SAAO,EAAE,iBAAiB,MAAM,WAAW,cAAc;AAC3D;;;AC1NA,OAAO,eAA8B;AAG9B,IAAM,aAAN,MAAiB;AAAA,EACd;AAAA,EACA;AAAA,EAER,YAAY,QAAmB,KAAc;AAC3C,SAAK,MAAM,UAAU,GAAG;AACxB,SAAK,SAAS;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAoC;AACxC,UAAM,SAAS,MAAM,KAAK,IAAI,OAAO;AACrC,WAAO,OAAO;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,gBAAiC;AACrC,UAAM,OAAO,MAAM,KAAK,IAAI,KAAK,CAAC,UAAU,CAAC;AAC7C,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,mBAA2C;AAC/C,UAAM,CAAC,OAAO,IAAI,IAAI,MAAM,QAAQ,IAAI;AAAA,MACtC,KAAK,eAAe;AAAA,MACpB,KAAK,cAAc;AAAA,IACrB,CAAC;AACD,WAAO,EAAE,OAAO,KAAK;AAAA,EACvB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAiB,OAAuC;AAC5D,UAAM,QAAQ,SAAS,KAAK,OAAO;AACnC,UAAM,MAAM,MAAM,KAAK,IAAI,IAAI;AAAA,MAC7B,UAAU;AAAA,MACV,QAAQ;AAAA,QACN,MAAM;AAAA,QACN,SAAS;AAAA,QACT,QAAQ;AAAA,QACR,MAAM;AAAA,QACN,MAAM;AAAA,MACR;AAAA,IACF,CAAC;AAED,WAAO,IAAI,IAAI,IAAI,CAAC,YAAY;AAAA,MAC9B,MAAM,OAAO;AAAA,MACb,SAAS,OAAO;AAAA,MAChB,QAAQ,OAAO;AAAA,MACf,MAAM,OAAO;AAAA,MACb,MAAM,OAAO,MAAM,KAAK,KAAK;AAAA,IAC/B,EAAE;AAAA,EACJ;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,qBAA4C;AAChD,QAAI;AACF,YAAM,MAAM,MAAM,KAAK,IAAI,IAAI;AAAA,QAC7B,MAAM,KAAK,OAAO;AAAA,QAClB,IAAI;AAAA,QACJ,QAAQ;AAAA,UACN,MAAM;AAAA,UACN,SAAS;AAAA,UACT,QAAQ;AAAA,UACR,MAAM;AAAA,UACN,MAAM;AAAA,QACR;AAAA,MACF,CAAC;AAED,aAAO,IAAI,IAAI,IAAI,CAAC,YAAY;AAAA,QAC9B,MAAM,OAAO;AAAA,QACb,SAAS,OAAO;AAAA,QAChB,QAAQ,OAAO;AAAA,QACf,MAAM,OAAO;AAAA,QACb,MAAM,OAAO,MAAM,KAAK,KAAK;AAAA,MAC/B,EAAE;AAAA,IACJ,QAAQ;AAEN,aAAO,CAAC;AAAA,IACV;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,mBAAoC;AACxC,UAAM,SAAS,MAAM,KAAK,IAAI,SAAS,CAAC,gBAAgB,MAAM,CAAC;AAC/D,WAAO,OAAO,KAAK;AAAA,EACrB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,UAAU,UAAiC;AAC/C,UAAM,KAAK,IAAI,IAAI,QAAQ;AAAA,EAC7B;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,YAA8B;AAClC,QAAI;AACF,YAAM,KAAK,IAAI,SAAS,CAAC,WAAW,CAAC;AACrC,aAAO;AAAA,IACT,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAkC;AACtC,QAAI;AACF,YAAM,OAAO,MAAM,KAAK,IAAI,UAAU,WAAW;AACjD,aAAO,KAAK,SAAS;AAAA,IACvB,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,gBAAiC;AACrC,QAAI;AACF,YAAM,OAAO,MAAM,KAAK,IAAI,SAAS,CAAC,MAAM,CAAC;AAC7C,aAAO,KAAK,KAAK;AAAA,IACnB,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AACF;;;AC9IA,IAAM,qBAAqB;AAUpB,IAAM,YAAN,MAAgB;AAAA,EACb;AAAA,EAER,YAAY,QAAkB;AAC5B,SAAK,SAAS;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,kBACJ,SACA,QAC6B;AAC7B,UAAM,aAAa,KAAK,YAAY,SAAS,MAAM;AACnD,UAAM,WAAW,MAAM,KAAK,eAAe,UAAU;AACrD,WAAO,KAAK,cAAc,QAAQ;AAAA,EACpC;AAAA,EAEQ,YAAY,SAAuB,QAA+B;AACxE,UAAM,QAAkB,CAAC;AAEzB,QAAI,QAAQ,SAAS,GAAG;AACtB,YAAM,KAAK,oBAAoB;AAC/B,iBAAW,UAAU,SAAS;AAC5B,cAAM,YAAY,OAAO,KAAK,MAAM,GAAG,CAAC;AACxC,cAAM,KAAK,MAAM,SAAS,MAAM,OAAO,MAAM,KAAK,OAAO,OAAO,EAAE;AAClE,YAAI,OAAO,MAAM;AACf,gBAAM,KAAK,KAAK,OAAO,IAAI,EAAE;AAAA,QAC/B;AAAA,MACF;AAAA,IACF;AAEA,QAAI,OAAO,MAAM,SAAS,GAAG;AAC3B,YAAM,KAAK,oBAAoB;AAC/B,YAAM,KAAK,OAAO,MAAM,KAAK,IAAI,CAAC;AAAA,IACpC;AAEA,QAAI,OAAO,MAAM;AAEf,YAAM,gBAAgB;AACtB,YAAM,gBAAgB,OAAO,KAAK,SAAS,gBACvC,OAAO,KAAK,MAAM,GAAG,aAAa,IAAI,sBACtC,OAAO;AACX,YAAM,KAAK,mBAAmB;AAC9B,YAAM,KAAK,SAAS;AACpB,YAAM,KAAK,aAAa;AACxB,YAAM,KAAK,KAAK;AAAA,IAClB;AAEA,UAAM,KAAK,iDAAiD;AAE5D,WAAO,MAAM,KAAK,IAAI;AAAA,EACxB;AAAA,EAEA,MAAc,eAAe,QAAiC;AAC5D,UAAM,WAAW,MAAM,MAAM,oBAAoB;AAAA,MAC/C,QAAQ;AAAA,MACR,SAAS;AAAA,QACP,gBAAgB;AAAA,QAChB,iBAAiB,UAAU,KAAK,OAAO,KAAK;AAAA,QAC5C,gBAAgB;AAAA,QAChB,WAAW;AAAA,MACb;AAAA,MACA,MAAM,KAAK,UAAU;AAAA,QACnB,OAAO,KAAK,OAAO;AAAA,QACnB,UAAU;AAAA,UACR,EAAE,MAAM,UAAU,SAAS,KAAK,OAAO,UAAU,GAAG;AAAA,UACpD,EAAE,MAAM,QAAQ,SAAS,OAAO;AAAA,QAClC;AAAA,QACA,aAAa;AAAA,QACb,YAAY;AAAA,MACd,CAAC;AAAA,IACH,CAAC;AAED,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,YAAM,IAAI,MAAM,yBAAyB,SAAS,MAAM,MAAM,KAAK,EAAE;AAAA,IACvE;AAEA,UAAM,OAAQ,MAAM,SAAS,KAAK;AAClC,WAAO,KAAK,QAAQ,CAAC,GAAG,SAAS,WAAW;AAAA,EAC9C;AAAA,EAEQ,cAAc,UAAsC;AAC1D,QAAI;AAEF,UAAI,UAAU;AAGd,YAAM,iBAAiB,SAAS,MAAM,8BAA8B;AACpE,UAAI,gBAAgB;AAClB,kBAAU,eAAe,CAAC;AAAA,MAC5B,OAAO;AAEL,cAAM,kBAAkB,SAAS,MAAM,8BAA8B;AACrE,YAAI,iBAAiB;AACnB,oBAAU,gBAAgB,CAAC;AAAA,QAC7B;AAAA,MACF;AAEA,YAAM,SAAS,KAAK,MAAM,QAAQ,KAAK,CAAC;AAGxC,YAAM,aAA2B,CAAC,SAAS,WAAW,cAAc,WAAW,SAAS,UAAU;AAClG,YAAM,WAAW,OAAO,SACrB,OAAO,CAAC,MAAM,WAAW,SAAS,EAAE,IAAI,CAAC,EACzC,IAAI,CAAC,OAAO;AAAA,QACX,MAAM,EAAE;AAAA,QACR,OAAO,MAAM,QAAQ,EAAE,KAAK,IAAI,EAAE,MAAM,OAAO,CAAC,MAAM,OAAO,MAAM,QAAQ,IAAI,CAAC;AAAA,MAClF,EAAE,EACD,OAAO,CAAC,MAAM,EAAE,MAAM,SAAS,CAAC;AAEnC,aAAO;AAAA,QACL,KAAK;AAAA,QACL;AAAA,MACF;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,gCAAgC,KAAK;AACnD,cAAQ,MAAM,iBAAiB,QAAQ;AACvC,aAAO;AAAA,QACL,KAAK;AAAA,QACL,UAAU,CAAC;AAAA,MACb;AAAA,IACF;AAAA,EACF;AACF;;;AC1IA,SAAS,gBAAAC,eAAc,iBAAAC,gBAAe,cAAAC,mBAAkB;AACxD,SAAS,WAAAC,gBAAe;AAGxB,IAAM,wBAAwB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAS9B,IAAM,gBAAgB,CAAC,SAAS,WAAW,cAAc,WAAW,SAAS,UAAU;AAEhF,IAAM,mBAAN,MAAuB;AAAA,EACpB;AAAA,EACA;AAAA,EAER,YAAY,QAAyB,KAAc;AACjD,SAAK,SAAS;AACd,SAAK,WAAWA,SAAQ,OAAO,QAAQ,IAAI,GAAG,OAAO,IAAI;AAAA,EAC3D;AAAA;AAAA;AAAA;AAAA,EAKA,OAAsB;AACpB,QAAI,CAACD,YAAW,KAAK,QAAQ,GAAG;AAC9B,aAAO;AAAA,IACT;AACA,WAAOF,cAAa,KAAK,UAAU,OAAO;AAAA,EAC5C;AAAA;AAAA;AAAA;AAAA,EAKA,YAAY,WAA+B,SAAkB,UAAsC;AACjG,UAAM,aAAa,WAAW;AAC9B,UAAM,cAAwB,CAAC,OAAO,UAAU,GAAG;AAGnD,QAAI,KAAK,OAAO,aAAa;AAC3B,YAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAI,UAAU,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAC5C,UAAI,KAAK,OAAO,aAAa;AAC3B,cAAM,UAAU,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAC3D,mBAAW,IAAI,OAAO;AAAA,MACxB;AACA,kBAAY,KAAK,KAAK,OAAO,EAAE;AAAA,IACjC;AAGA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,kBAAY,KAAK,MAAM,SAAS,MAAM,EAAE;AAAA,IAC1C;AAGA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,YAAM,YAAY,SAAS,WAAW,MAAM,GAAG,CAAC;AAChD,UAAI,KAAK,OAAO,SAAS;AACvB,cAAM,YAAY,GAAG,KAAK,OAAO,QAAQ,QAAQ,OAAO,EAAE,CAAC,WAAW,SAAS,UAAU;AACzF,oBAAY,KAAK,KAAK,SAAS,KAAK,SAAS,IAAI;AAAA,MACnD,OAAO;AACL,oBAAY,KAAK,IAAI,SAAS,GAAG;AAAA,MACnC;AAAA,IACF;AAEA,UAAM,aAAa,YAAY,KAAK,GAAG;AAEvC,UAAM,WAAW,KAAK,aAAa,UAAU,QAAQ;AACrD,UAAM,eAAe,SAClB,IAAI,CAAC,YAAY,KAAK,cAAc,OAAO,CAAC,EAC5C,KAAK,MAAM;AAEd,WAAO,GAAG,UAAU;AAAA;AAAA,EAAO,YAAY;AAAA,EACzC;AAAA,EAEQ,aAAa,UAAkD;AACrE,WAAO,CAAC,GAAG,QAAQ,EAAE,KAAK,CAAC,GAAG,MAAM;AAClC,YAAM,SAAS,cAAc,QAAQ,EAAE,IAAoC;AAC3E,YAAM,SAAS,cAAc,QAAQ,EAAE,IAAoC;AAC3E,aAAO,SAAS;AAAA,IAClB,CAAC;AAAA,EACH;AAAA,EAEQ,cAAc,SAAmC;AACvD,UAAM,QAAQ,QAAQ,MAAM,IAAI,CAAC,SAAS,KAAK,IAAI,EAAE,EAAE,KAAK,IAAI;AAChE,WAAO,OAAO,QAAQ,IAAI;AAAA;AAAA,EAAO,KAAK;AAAA,EACxC;AAAA;AAAA;AAAA;AAAA,EAKA,OAAO,WAA+B,SAAkB,UAAsC;AAC5F,UAAM,WAAW,KAAK,KAAK;AAE3B,QAAI,CAAC,UAAU;AAEb,YAAMI,YAAW,KAAK,YAAY,WAAW,SAAS,QAAQ;AAC9D,aAAO,wBAAwBA,YAAW;AAAA,IAC5C;AAGA,UAAM,QAAQ,SAAS,MAAM,IAAI;AACjC,QAAI,cAAc;AAGlB,aAAS,IAAI,GAAG,IAAI,MAAM,QAAQ,KAAK;AACrC,YAAM,OAAO,MAAM,CAAC;AACpB,UAAI,KAAK,WAAW,iBAAiB,GAAG;AAEtC,cAAM,WAAW,KAAK,eAAe,OAAO,IAAI,CAAC;AACjD,cAAM,uBAAuB,MAAM,MAAM,GAAG,QAAQ;AACpD,cAAM,gBAAgB,KAAK,uBAAuB,sBAAsB,WAAW,QAAQ;AAC3F,cAAMC,UAAS,MAAM,MAAM,GAAG,CAAC,EAAE,KAAK,IAAI;AAC1C,cAAMC,SAAQ,MAAM,MAAM,QAAQ,EAAE,KAAK,IAAI;AAC7C,eAAOD,WAAUA,QAAO,SAAS,IAAI,IAAI,KAAK,QAAQ,gBAAgB,OAAOC;AAAA,MAC/E;AACA,UAAI,KAAK,WAAW,MAAM,KAAK,gBAAgB,IAAI;AACjD,sBAAc;AACd;AAAA,MACF;AAAA,IACF;AAEA,UAAM,WAAW,KAAK,YAAY,WAAW,SAAS,QAAQ;AAE9D,QAAI,gBAAgB,IAAI;AAEtB,aAAO,SAAS,QAAQ,IAAI,SAAS,WAAW;AAAA,IAClD;AAGA,UAAM,SAAS,MAAM,MAAM,GAAG,WAAW,EAAE,KAAK,IAAI;AACpD,UAAM,QAAQ,MAAM,MAAM,WAAW,EAAE,KAAK,IAAI;AAChD,WAAO,UAAU,OAAO,SAAS,IAAI,IAAI,KAAK,QAAQ,WAAW,SAAS;AAAA,EAC5E;AAAA;AAAA;AAAA;AAAA,EAKQ,uBACN,eACA,WACA,UACQ;AAER,UAAM,mBAA0C,oBAAI,IAAI;AACxD,QAAI,iBAAgC;AAEpC,eAAW,QAAQ,eAAe;AAChC,UAAI,KAAK,WAAW,MAAM,GAAG;AAC3B,yBAAiB,KAAK,MAAM,CAAC,EAAE,KAAK;AACpC,YAAI,CAAC,iBAAiB,IAAI,cAAc,GAAG;AACzC,2BAAiB,IAAI,gBAAgB,CAAC,CAAC;AAAA,QACzC;AAAA,MACF,WAAW,kBAAkB,KAAK,WAAW,IAAI,GAAG;AAClD,yBAAiB,IAAI,cAAc,EAAG,KAAK,KAAK,MAAM,CAAC,CAAC;AAAA,MAC1D;AAAA,IACF;AAGA,eAAW,WAAW,UAAU,UAAU;AACxC,YAAM,WAAW,iBAAiB,IAAI,QAAQ,IAAI,KAAK,CAAC;AAExD,iBAAW,QAAQ,QAAQ,OAAO;AAChC,YAAI,CAAC,SAAS,SAAS,IAAI,GAAG;AAC5B,mBAAS,KAAK,IAAI;AAAA,QACpB;AAAA,MACF;AACA,uBAAiB,IAAI,QAAQ,MAAM,QAAQ;AAAA,IAC7C;AAGA,UAAM,aAAa;AACnB,UAAM,cAAwB,CAAC,OAAO,UAAU,GAAG;AAEnD,QAAI,KAAK,OAAO,aAAa;AAC3B,YAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAI,UAAU,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAC5C,UAAI,KAAK,OAAO,aAAa;AAC3B,cAAM,UAAU,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAC3D,mBAAW,IAAI,OAAO;AAAA,MACxB;AACA,kBAAY,KAAK,KAAK,OAAO,EAAE;AAAA,IACjC;AAEA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,kBAAY,KAAK,MAAM,SAAS,MAAM,EAAE;AAAA,IAC1C;AAEA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,YAAM,YAAY,SAAS,WAAW,MAAM,GAAG,CAAC;AAChD,UAAI,KAAK,OAAO,SAAS;AACvB,cAAM,YAAY,GAAG,KAAK,OAAO,QAAQ,QAAQ,OAAO,EAAE,CAAC,WAAW,SAAS,UAAU;AACzF,oBAAY,KAAK,KAAK,SAAS,KAAK,SAAS,IAAI;AAAA,MACnD,OAAO;AACL,oBAAY,KAAK,IAAI,SAAS,GAAG;AAAA,MACnC;AAAA,IACF;AAEA,UAAM,aAAa,YAAY,KAAK,GAAG;AAGvC,UAAM,iBAAqC,CAAC;AAC5C,eAAW,QAAQ,eAAe;AAChC,YAAM,QAAQ,iBAAiB,IAAI,IAAI;AACvC,UAAI,SAAS,MAAM,SAAS,GAAG;AAC7B,uBAAe,KAAK,EAAE,MAAM,MAAM,CAAC;AAAA,MACrC;AAAA,IACF;AAEA,UAAM,eAAe,eAClB,IAAI,CAAC,YAAY,KAAK,cAAc,OAAO,CAAC,EAC5C,KAAK,MAAM;AAEd,WAAO,GAAG,UAAU;AAAA;AAAA,EAAO,YAAY;AAAA,EACzC;AAAA,EAEQ,eAAe,OAAiB,YAA4B;AAClE,aAAS,IAAI,YAAY,IAAI,MAAM,QAAQ,KAAK;AAC9C,UAAI,MAAM,CAAC,EAAE,WAAW,MAAM,GAAG;AAC/B,eAAO;AAAA,MACT;AAAA,IACF;AACA,WAAO,MAAM;AAAA,EACf;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,SAAuB;AAC3B,IAAAL,eAAc,KAAK,UAAU,SAAS,OAAO;AAAA,EAC/C;AAAA;AAAA;AAAA;AAAA,EAKA,cAAsB;AACpB,WAAO,KAAK;AAAA,EACd;AAAA;AAAA;AAAA;AAAA,EAKA,kBAAiC;AAC/B,QAAI,CAAC,KAAK,OAAO,SAAU,QAAO;AAClC,WAAOE,SAAQ,QAAQ,IAAI,GAAG,KAAK,OAAO,QAAQ;AAAA,EACpD;AAAA;AAAA;AAAA;AAAA,EAKA,WAAiC;AAC/B,UAAM,WAAW,KAAK,gBAAgB;AACtC,QAAI,CAAC,YAAY,CAACD,YAAW,QAAQ,GAAG;AACtC,aAAO;AAAA,IACT;AACA,QAAI;AACF,YAAM,UAAUF,cAAa,UAAU,OAAO;AAC9C,aAAO,KAAK,MAAM,OAAO;AAAA,IAC3B,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,kBAAkB,WAA+B,SAAkB,UAAoD;AACrH,UAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAM,WAAqC,CAAC;AAE5C,eAAW,WAAW,UAAU,UAAU;AACxC,eAAS,QAAQ,IAAI,IAAI,QAAQ;AAAA,IACnC;AAEA,UAAM,UAAgC;AAAA,MACpC,SAAS,WAAW;AAAA,MACpB,MAAM,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAAA,MACpC;AAAA,IACF;AAEA,QAAI,KAAK,OAAO,aAAa;AAC3B,cAAQ,OAAO,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAAA,IAC5D;AAEA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,cAAQ,SAAS,SAAS;AAAA,IAC5B;AAEA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,cAAQ,aAAa,SAAS;AAAA,IAChC;AAEA,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,WAAW,WAA+B,SAAkB,UAA6C;AACvG,UAAM,aAAa,KAAK,kBAAkB,WAAW,SAAS,QAAQ;AACtE,UAAM,WAAW,KAAK,SAAS;AAE/B,QAAI,CAAC,UAAU;AACb,aAAO,EAAE,UAAU,CAAC,UAAU,EAAE;AAAA,IAClC;AAGA,UAAM,kBAAkB,SAAS,SAAS,UAAU,OAAK,EAAE,YAAY,YAAY;AAEnF,QAAI,mBAAmB,KAAK,WAAW,YAAY,cAAc;AAE/D,YAAM,kBAAkB,SAAS,SAAS,eAAe;AACzD,iBAAW,CAAC,MAAM,KAAK,KAAK,OAAO,QAAQ,WAAW,QAAQ,GAAG;AAC/D,cAAM,gBAAgB,gBAAgB,SAAS,IAAI,KAAK,CAAC;AACzD,mBAAW,QAAQ,OAAO;AACxB,cAAI,CAAC,cAAc,SAAS,IAAI,GAAG;AACjC,0BAAc,KAAK,IAAI;AAAA,UACzB;AAAA,QACF;AACA,wBAAgB,SAAS,IAAI,IAAI;AAAA,MACnC;AAEA,sBAAgB,OAAO,WAAW;AAClC,UAAI,WAAW,KAAM,iBAAgB,OAAO,WAAW;AACvD,UAAI,WAAW,OAAQ,iBAAgB,SAAS,WAAW;AAC3D,UAAI,WAAW,WAAY,iBAAgB,aAAa,WAAW;AAAA,IACrE,OAAO;AAEL,eAAS,SAAS,QAAQ,UAAU;AAAA,IACtC;AAEA,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,UAAU,MAA2B;AACnC,UAAM,WAAW,KAAK,gBAAgB;AACtC,QAAI,CAAC,SAAU;AACf,IAAAC,eAAc,UAAU,KAAK,UAAU,MAAM,MAAM,CAAC,GAAG,OAAO;AAAA,EAChE;AACF;;;AJ9UA,IAAM,YAAY,QAAQ,cAAc,YAAY,GAAG,CAAC;AACxD,IAAM,MAAM,KAAK,MAAMM,cAAaC,SAAQ,WAAW,iBAAiB,GAAG,OAAO,CAAC;AAEnF,IAAM,UAAU,IAAI,QAAQ;AAE5B,QACG,KAAK,eAAe,EACpB,YAAY,iDAAiD,EAC7D,QAAQ,IAAI,OAAO;AAEtB,QACG,QAAQ,MAAM,EACd,YAAY,qCAAqC,EACjD,OAAO,qBAAqB,oBAAoB,oBAAoB,EACpE,OAAO,CAAC,YAA8B;AACrC,MAAI;AACF,UAAM,SAAS,WAAW,QAAQ,IAAI;AACtC,YAAQ,IAAI,wBAAwB,OAAO,UAAU,EAAE;AAEvD,QAAI,OAAO,iBAAiB;AAC1B,cAAQ,IAAI,0BAA0B,OAAO,SAAS,EAAE;AAAA,IAC1D;AAEA,YAAQ,IAAI,eAAe;AAC3B,YAAQ,IAAI,oDAAoD;AAChE,YAAQ,IAAI,iDAAiD;AAC7D,QAAI,CAAC,OAAO,iBAAiB;AAC3B,cAAQ,IAAI,oCAAoC;AAAA,IAClD;AAAA,EACF,SAAS,OAAO;AACd,YAAQ,MAAM,UAAU,iBAAiB,QAAQ,MAAM,UAAU,KAAK;AACtE,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAEH,QACG,QAAQ,YAAY,EAAE,WAAW,KAAK,CAAC,EACvC,YAAY,0DAA0D,EACtE,OAAO,uBAAuB,qBAAqB,EACnD,OAAO,iBAAiB,iCAAiC,EACzD,OAAO,iBAAiB,uBAAuB,EAC/C,OAAO,0BAA0B,0DAA0D,QAAQ,EACnG,OAAO,GAAG;AAEb,eAAe,IAAI,SAAoC;AACrD,QAAM,UAAU,QAAQ,WAAW;AAEnC,MAAI;AAEF,QAAI,QAAS,SAAQ,IAAI,0BAA0B;AACnD,UAAM,SAAS,WAAW,QAAQ,MAAM;AACxC,QAAI,QAAS,SAAQ,IAAI,kBAAkB,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAG1E,UAAM,MAAM,IAAI,WAAW,OAAO,GAAG;AACrC,UAAM,KAAK,IAAI,UAAU,OAAO,EAAE;AAClC,UAAM,YAAY,IAAI,iBAAiB,OAAO,SAAS;AAGvD,QAAI,CAAE,MAAM,IAAI,UAAU,GAAI;AAC5B,cAAQ,MAAM,6BAA6B;AAC3C,cAAQ,KAAK,CAAC;AAAA,IAChB;AAEA,QAAI;AACJ,QAAI;AAEJ,QAAI,QAAQ,aAAa;AAEvB,UAAI,QAAS,SAAQ,IAAI,gBAAgB,QAAQ,WAAW,aAAa;AACzE,gBAAU,MAAM,IAAI,iBAAiB,QAAQ,WAAW;AAExD,UAAI,QAAQ,WAAW,GAAG;AACxB,gBAAQ,IAAI,mBAAmB;AAC/B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,UAAI,QAAS,SAAQ,IAAI,SAAS,QAAQ,MAAM,UAAU;AAG1D,eAAS,EAAE,OAAO,CAAC,GAAG,MAAM,GAAG;AAAA,IACjC,OAAO;AAEL,UAAI,QAAS,SAAQ,IAAI,2BAA2B;AACpD,eAAS,MAAM,IAAI,iBAAiB;AAEpC,UAAI,OAAO,MAAM,WAAW,GAAG;AAC7B,gBAAQ,IAAI,oDAAoD;AAChE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,UAAI,SAAS;AACX,gBAAQ,IAAI,iBAAiB,OAAO,MAAM,KAAK,IAAI,CAAC,EAAE;AACtD,gBAAQ,IAAI,gBAAgB,OAAO,KAAK,MAAM,QAAQ;AAAA,MACxD;AAGA,UAAI,QAAS,SAAQ,IAAI,2BAA2B;AACpD,gBAAU,MAAM,IAAI,mBAAmB;AACvC,UAAI,QAAS,SAAQ,IAAI,SAAS,QAAQ,MAAM,mBAAmB;AAAA,IACrE;AAGA,YAAQ,IAAI,iCAAiC;AAC7C,UAAM,YAAY,MAAM,GAAG,kBAAkB,SAAS,MAAM;AAE5D,QAAI,UAAU,SAAS,WAAW,GAAG;AACnC,cAAQ,IAAI,iCAAiC;AAC7C,UAAI,QAAS,SAAQ,IAAI,oBAAoB,UAAU,GAAG;AAC1D,cAAQ,KAAK,CAAC;AAAA,IAChB;AAEA,QAAI,SAAS;AACX,cAAQ,IAAI,qBAAqB;AACjC,iBAAW,WAAW,UAAU,UAAU;AACxC,gBAAQ,IAAI,KAAK,QAAQ,IAAI,GAAG;AAChC,mBAAW,QAAQ,QAAQ,OAAO;AAChC,kBAAQ,IAAI,SAAS,IAAI,EAAE;AAAA,QAC7B;AAAA,MACF;AAAA,IACF;AAIA,QAAI,WAA8B,EAAE,WAAW,oBAAI,KAAK,EAAE;AAE1D,QAAI,CAAC,QAAQ,aAAa;AACxB,YAAM,CAAC,QAAQ,UAAU,IAAI,MAAM,QAAQ,IAAI;AAAA,QAC7C,IAAI,eAAe;AAAA,QACnB,IAAI,cAAc;AAAA,MACpB,CAAC;AACD,iBAAW;AAAA,QACT,QAAQ,UAAU;AAAA,QAClB,YAAY,cAAc;AAAA,QAC1B,WAAW,oBAAI,KAAK;AAAA,MACtB;AAAA,IACF;AAEA,QAAI,SAAS;AACX,cAAQ,IAAI,aAAa,QAAQ;AAAA,IACnC;AAGA,UAAM,aAAa,UAAU,OAAO,WAAW,QAAW,QAAQ;AAGlE,UAAM,WAAW,UAAU,WAAW,WAAW,QAAW,QAAQ;AAEpE,QAAI,QAAQ,QAAQ;AAClB,cAAQ,IAAI,mBAAmB;AAC/B,cAAQ,IAAI,8BAA8B,UAAU,YAAY,CAAC;AACjE,UAAI,UAAU,gBAAgB,GAAG;AAC/B,gBAAQ,IAAI,yBAAyB,UAAU,gBAAgB,CAAC;AAAA,MAClE;AACA,cAAQ,IAAI,wBAAwB;AACpC,cAAQ,IAAI,UAAU,YAAY,WAAW,QAAW,QAAQ,CAAC;AACjE,cAAQ,IAAI,0BAA0B;AACtC,cAAQ,IAAI,KAAK,UAAU,SAAS,SAAS,CAAC,GAAG,MAAM,CAAC,CAAC;AACzD,cAAQ,IAAI,eAAe;AAC3B,cAAQ,KAAK,CAAC;AAAA,IAChB;AAGA,cAAU,MAAM,UAAU;AAC1B,YAAQ,IAAI,YAAY,UAAU,YAAY,CAAC,EAAE;AAGjD,QAAI,UAAU,gBAAgB,GAAG;AAC/B,gBAAU,UAAU,QAAQ;AAC5B,cAAQ,IAAI,YAAY,UAAU,gBAAgB,CAAC,EAAE;AAAA,IACvD;AAGA,QAAI,CAAC,QAAQ,aAAa;AACxB,YAAM,IAAI,UAAU,OAAO,UAAU,IAAI;AACzC,UAAI,OAAO,UAAU,UAAU;AAC7B,cAAM,IAAI,UAAU,OAAO,UAAU,QAAQ;AAAA,MAC/C;AACA,cAAQ,IAAI,wBAAwB;AAAA,IACtC;AAEA,YAAQ,IAAI,OAAO;AAAA,EACrB,SAAS,OAAO;AACd,YAAQ,MAAM,UAAU,iBAAiB,QAAQ,MAAM,UAAU,KAAK;AACtE,QAAI,WAAW,iBAAiB,OAAO;AACrC,cAAQ,MAAM,MAAM,KAAK;AAAA,IAC3B;AACA,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF;AAEA,QAAQ,MAAM;","names":["readFileSync","resolve","readFileSync","writeFileSync","existsSync","resolve","newEntry","before","after","readFileSync","resolve"]}
1
+ {"version":3,"sources":["../src/index.ts","../src/config.ts","../src/git.ts","../src/ai.ts","../src/changelog.ts"],"sourcesContent":["import 'dotenv/config';\nimport { Command } from 'commander';\nimport { readFileSync, existsSync } from 'node:fs';\nimport { fileURLToPath } from 'node:url';\nimport { dirname, resolve } from 'node:path';\nimport { loadConfig, initConfig } from './config.js';\nimport { GitService } from './git.js';\nimport { AIService } from './ai.js';\nimport { ChangelogService } from './changelog.js';\nimport type { CLIOptions, ChangelogMetadata, CommitInfo, DateGroupedCommits, VersionedEntry } from './types.js';\n\nconst __dirname = dirname(fileURLToPath(import.meta.url));\nconst pkg = JSON.parse(readFileSync(resolve(__dirname, '../package.json'), 'utf-8'));\n\n/**\n * Read version from project's package.json and increment minor version\n * e.g., 1.2.3 -> 1.3.0\n * Falls back to the provided date if no package.json found\n */\nfunction getNextMinorVersion(fallbackDate?: string): string {\n const pkgPath = resolve(process.cwd(), 'package.json');\n\n if (!existsSync(pkgPath)) {\n return fallbackDate ?? new Date().toISOString().split('T')[0];\n }\n\n try {\n const projectPkg = JSON.parse(readFileSync(pkgPath, 'utf-8'));\n const currentVersion = projectPkg.version ?? '0.0.0';\n const [major, minor] = currentVersion.split('.').map(Number);\n return `${major}.${(minor || 0) + 1}.0`;\n } catch {\n return fallbackDate ?? new Date().toISOString().split('T')[0];\n }\n}\n\n/**\n * Get base version from package.json (e.g., \"0.0.0\")\n */\nfunction getBaseVersion(): string {\n const pkgPath = resolve(process.cwd(), 'package.json');\n\n if (!existsSync(pkgPath)) {\n return '0.0.0';\n }\n\n try {\n const projectPkg = JSON.parse(readFileSync(pkgPath, 'utf-8'));\n return projectPkg.version ?? '0.0.0';\n } catch {\n return '0.0.0';\n }\n}\n\n/**\n * Increment minor version from base by a given count\n * e.g., base \"0.0.0\", count 1 => \"0.1.0\"\n * base \"0.0.0\", count 3 => \"0.3.0\"\n */\nfunction incrementMinorVersion(baseVersion: string, count: number): string {\n const [major] = baseVersion.split('.').map(Number);\n return `${major}.${count}.0`;\n}\n\n/**\n * Group commits by their date (YYYY-MM-DD)\n */\nfunction groupCommitsByDate(commits: CommitInfo[]): DateGroupedCommits {\n const grouped: DateGroupedCommits = new Map();\n\n for (const commit of commits) {\n // Extract date part (YYYY-MM-DD) from ISO date string\n const date = commit.date.split('T')[0];\n\n if (!grouped.has(date)) {\n grouped.set(date, []);\n }\n grouped.get(date)!.push(commit);\n }\n\n return grouped;\n}\n\nconst program = new Command();\n\nprogram\n .name('tst-changelog')\n .description('AI-powered changelog generator using OpenRouter')\n .version(pkg.version);\n\nprogram\n .command('init')\n .description('Create a default configuration file')\n .option('-f, --file <name>', 'Config file name', 'tst-changelog.yaml')\n .action((options: { file: string }) => {\n try {\n const result = initConfig(options.file);\n console.log(`Created config file: ${result.configPath}`);\n\n if (result.huskyConfigured) {\n console.log(`Configured husky hook: ${result.huskyHook}`);\n }\n\n console.log('\\nNext steps:');\n console.log('1. Set the OPENROUTER_API_KEY environment variable');\n console.log('2. Adjust settings in the config file as needed');\n if (!result.huskyConfigured) {\n console.log('3. Run: npx tst-changelog generate');\n }\n } catch (error) {\n console.error('Error:', error instanceof Error ? error.message : error);\n process.exit(1);\n }\n });\n\nprogram\n .command('generate', { isDefault: true })\n .description('Generate changelog from staged changes or commit history')\n .option('-c, --config <path>', 'Path to config file')\n .option('-d, --dry-run', 'Preview without modifying files')\n .option('-v, --verbose', 'Enable verbose output')\n .option('--from-commits <count>', 'Generate from last N commits instead of staged changes', parseInt)\n .option('--version <version>', 'Version label for the changelog entry (default: \"Unreleased\" or date for --from-commits)')\n .action(run);\n\nasync function run(options: CLIOptions): Promise<void> {\n const verbose = options.verbose ?? false;\n\n try {\n // Load configuration\n if (verbose) console.log('Loading configuration...');\n const config = loadConfig(options.config);\n if (verbose) console.log('Config loaded:', JSON.stringify(config, null, 2));\n\n // Initialize services\n const git = new GitService(config.git);\n const ai = new AIService(config.ai);\n const changelog = new ChangelogService(config.changelog);\n\n // Check if we're in a git repo\n if (!(await git.isGitRepo())) {\n console.error('Error: Not a git repository');\n process.exit(1);\n }\n\n if (options.fromCommits) {\n // === FROM COMMITS MODE: Group by date, generate per-date entries ===\n if (verbose) console.log(`Getting last ${options.fromCommits} commits...`);\n const commits = await git.getRecentCommits(options.fromCommits);\n\n if (commits.length === 0) {\n console.log('No commits found.');\n process.exit(0);\n }\n\n if (verbose) console.log(`Found ${commits.length} commits`);\n\n // Group commits by date\n const groupedByDate = groupCommitsByDate(commits);\n const sortedDates = [...groupedByDate.keys()].sort(); // ascending (oldest first)\n\n if (verbose) {\n console.log(`Grouped into ${sortedDates.length} date(s):`);\n for (const date of sortedDates) {\n const dateCommits = groupedByDate.get(date)!;\n console.log(` ${date}: ${dateCommits.length} commit(s)`);\n }\n }\n\n // Get base version from package.json\n const baseVersion = getBaseVersion();\n if (verbose) console.log(`Base version: ${baseVersion}`);\n\n // Generate changelog entries for each date (oldest to newest)\n const entries: VersionedEntry[] = [];\n const emptyStaged = { files: [], diff: '' };\n\n for (let i = 0; i < sortedDates.length; i++) {\n const date = sortedDates[i];\n const dateCommits = groupedByDate.get(date)!;\n const version = incrementMinorVersion(baseVersion, i + 1);\n\n if (verbose) console.log(`\\nGenerating changelog for ${date} (${version})...`);\n console.log(`Generating changelog for ${date}...`);\n\n const generated = await ai.generateChangelog(dateCommits, emptyStaged);\n\n if (generated.sections.length === 0) {\n if (verbose) console.log(` No entries generated for ${date}, skipping.`);\n continue;\n }\n\n if (verbose) {\n console.log(` Generated sections for ${date}:`);\n for (const section of generated.sections) {\n console.log(` ${section.type}:`);\n for (const item of section.items) {\n console.log(` - ${item}`);\n }\n }\n }\n\n entries.push({ version, date, generated });\n }\n\n if (entries.length === 0) {\n console.log('No changelog entries generated.');\n process.exit(0);\n }\n\n // Reverse for changelog (newest first)\n entries.reverse();\n\n if (options.dryRun) {\n console.log('\\n--- DRY RUN ---');\n console.log('Would update changelog at:', changelog.getFilePath());\n if (changelog.getJsonFilePath()) {\n console.log('Would update JSON at:', changelog.getJsonFilePath());\n }\n console.log(`\\n--- ${entries.length} new entries (newest first) ---\\n`);\n console.log(changelog.formatMultipleEntries(entries));\n console.log('\\n--- JSON releases ---');\n for (const entry of entries) {\n console.log(JSON.stringify({ version: entry.version, date: entry.date }, null, 2));\n }\n console.log('--- End ---\\n');\n process.exit(0);\n }\n\n // Update changelog (MD) with multiple entries\n const newContent = changelog.updateWithMultipleEntries(entries);\n changelog.write(newContent);\n console.log(`Updated: ${changelog.getFilePath()}`);\n\n // Update changelog (JSON) with multiple entries\n if (changelog.getJsonFilePath()) {\n const jsonData = changelog.updateJsonWithMultipleEntries(entries);\n changelog.writeJson(jsonData);\n console.log(`Updated: ${changelog.getJsonFilePath()}`);\n }\n\n console.log(`Done! Created ${entries.length} version entries.`);\n\n } else {\n // === STAGED CHANGES MODE: Original behavior ===\n if (verbose) console.log('Getting staged changes...');\n const staged = await git.getStagedChanges();\n\n if (staged.files.length === 0) {\n console.log('No staged changes found. Stage some changes first.');\n process.exit(0);\n }\n\n if (verbose) {\n console.log(`Staged files: ${staged.files.join(', ')}`);\n console.log(`Diff length: ${staged.diff.length} chars`);\n }\n\n // Get recent commits for context\n if (verbose) console.log('Getting recent commits...');\n const commits = await git.getUnmergedCommits();\n if (verbose) console.log(`Found ${commits.length} unmerged commits`);\n\n // Generate changelog using AI\n console.log('Generating changelog with AI...');\n const generated = await ai.generateChangelog(commits, staged);\n\n if (generated.sections.length === 0) {\n console.log('No changelog entries generated.');\n if (verbose) console.log('Raw AI response:', generated.raw);\n process.exit(0);\n }\n\n if (verbose) {\n console.log('Generated sections:');\n for (const section of generated.sections) {\n console.log(` ${section.type}:`);\n for (const item of section.items) {\n console.log(` - ${item}`);\n }\n }\n }\n\n // Collect metadata for changelog entry\n const [author, commitHash] = await Promise.all([\n git.getCurrentUser(),\n git.getHeadCommit(),\n ]);\n const metadata: ChangelogMetadata = {\n author: author || undefined,\n commitHash: commitHash || undefined,\n timestamp: new Date(),\n };\n\n if (verbose) {\n console.log('Metadata:', metadata);\n }\n\n // Determine version label\n const version = options.version; // undefined -> \"Unreleased\"\n\n // Update changelog (MD)\n const newContent = changelog.update(generated, version, metadata);\n\n // Update changelog (JSON)\n const jsonData = changelog.updateJson(generated, version, metadata);\n\n if (options.dryRun) {\n console.log('\\n--- DRY RUN ---');\n console.log('Would update changelog at:', changelog.getFilePath());\n if (changelog.getJsonFilePath()) {\n console.log('Would update JSON at:', changelog.getJsonFilePath());\n }\n console.log('\\n--- New MD entry ---');\n console.log(changelog.formatEntry(generated, version, metadata));\n console.log('\\n--- New JSON entry ---');\n console.log(JSON.stringify(jsonData.releases[0], null, 2));\n console.log('--- End ---\\n');\n process.exit(0);\n }\n\n // Write changelog (MD)\n changelog.write(newContent);\n console.log(`Updated: ${changelog.getFilePath()}`);\n\n // Write changelog (JSON)\n if (changelog.getJsonFilePath()) {\n changelog.writeJson(jsonData);\n console.log(`Updated: ${changelog.getJsonFilePath()}`);\n }\n\n // Auto-stage changelog files\n await git.stageFile(config.changelog.file);\n if (config.changelog.jsonFile) {\n await git.stageFile(config.changelog.jsonFile);\n }\n console.log('Staged changelog files');\n\n console.log('Done!');\n }\n } catch (error) {\n console.error('Error:', error instanceof Error ? error.message : error);\n if (verbose && error instanceof Error) {\n console.error(error.stack);\n }\n process.exit(1);\n }\n}\n\nprogram.parse();\n\n// Export for programmatic usage\nexport { loadConfig, initConfig, type InitResult } from './config.js';\nexport { GitService } from './git.js';\nexport { AIService } from './ai.js';\nexport { ChangelogService } from './changelog.js';\nexport * from './types.js';\n","import { readFileSync, existsSync, writeFileSync, appendFileSync } from 'node:fs';\nimport { resolve } from 'node:path';\nimport { execSync } from 'node:child_process';\nimport { parse, stringify } from 'yaml';\nimport type { Config } from './types.js';\n\n/**\n * Get repository URL from git remote origin\n * Normalizes SSH URLs to HTTPS for web links\n */\nfunction getRepoUrlFromGit(): string {\n try {\n const url = execSync('git remote get-url --push origin', {\n encoding: 'utf-8',\n stdio: ['pipe', 'pipe', 'pipe'],\n }).trim();\n\n // Normalize SSH format (git@github.com:user/repo.git) to HTTPS\n if (url.startsWith('git@')) {\n return url.replace(/^git@([^:]+):/, 'https://$1/').replace(/\\.git$/, '');\n }\n\n // Remove .git suffix from HTTPS URLs\n return url.replace(/\\.git$/, '');\n } catch {\n return '';\n }\n}\n\nconst DEFAULT_PROMPT = `You are a changelog generator. Your task is to analyze git commits and staged changes to generate changelog entries following the Keep a Changelog format.\n\nOutput Format:\nReturn ONLY a JSON object with the following structure:\n{\n \"sections\": [\n {\n \"type\": \"Added\" | \"Changed\" | \"Deprecated\" | \"Removed\" | \"Fixed\" | \"Security\",\n \"items\": [\"description (by Author, YYYY-MM-DD HH:MM, hash)\", \"description 2 (by Author, YYYY-MM-DD HH:MM, hash)\"]\n }\n ]\n}\n\nGuidelines:\n- Use present tense (e.g., \"Add feature\" not \"Added feature\")\n- Be concise but descriptive\n- Group related changes together\n- Focus on user-facing changes\n- Ignore merge commits and trivial changes\n- IMPORTANT: Each item MUST include author, datetime, and commit hash from the input in the format: \"description (by Author, YYYY-MM-DD HH:MM, hash)\"\n- If multiple commits contribute to the same change, list them: \"description (by Author1, datetime1, hash1; Author2, datetime2, hash2)\"\n- Parse conventional commits (feat:, fix:, etc.) into appropriate sections:\n - feat: -> Added\n - fix: -> Fixed\n - docs:, style:, refactor:, perf:, test:, chore: -> Changed\n - BREAKING CHANGE: -> Changed (mention breaking)\n - deprecate: -> Deprecated\n - remove: -> Removed\n - security: -> Security`;\n\nconst DEFAULT_CONFIG: Config = {\n ai: {\n provider: 'openrouter',\n model: 'anthropic/claude-sonnet-4.5',\n token: '${OPENROUTER_API_KEY}',\n prompt: DEFAULT_PROMPT,\n },\n changelog: {\n file: 'CHANGELOG.md',\n jsonFile: 'changelog.json',\n format: 'keepachangelog',\n includeDate: true,\n includeTime: true,\n includeAuthor: true,\n includeCommitLink: true,\n repoUrl: '',\n groupBy: 'type',\n },\n git: {\n baseBranch: 'main',\n analyzeDepth: 50,\n },\n};\n\n/**\n * Resolve environment variables in config values\n * Supports ${ENV_VAR} syntax\n */\nfunction resolveEnvVars(value: string): string {\n return value.replace(/\\$\\{([^}]+)\\}/g, (_, envVar) => {\n const envValue = process.env[envVar];\n if (!envValue) {\n throw new Error(`Environment variable ${envVar} is not set`);\n }\n return envValue;\n });\n}\n\n/**\n * Recursively resolve env vars in object\n */\nfunction resolveConfigEnvVars<T>(obj: T): T {\n if (typeof obj === 'string') {\n return resolveEnvVars(obj) as T;\n }\n if (Array.isArray(obj)) {\n return obj.map(resolveConfigEnvVars) as T;\n }\n if (obj && typeof obj === 'object') {\n const resolved: Record<string, unknown> = {};\n for (const [key, value] of Object.entries(obj)) {\n resolved[key] = resolveConfigEnvVars(value);\n }\n return resolved as T;\n }\n return obj;\n}\n\n/**\n * Deep merge two objects\n */\nfunction deepMerge(target: Config, source: Partial<Config>): Config {\n return {\n ai: { ...target.ai, ...source.ai },\n changelog: { ...target.changelog, ...source.changelog },\n git: { ...target.git, ...source.git },\n };\n}\n\n/**\n * Load configuration from yaml file\n */\nexport function loadConfig(configPath?: string): Config {\n const defaultPaths = ['tst-changelog.yaml', 'tst-changelog.yml', '.tst-changelog.yaml'];\n\n let filePath: string | undefined;\n\n if (configPath) {\n filePath = resolve(process.cwd(), configPath);\n if (!existsSync(filePath)) {\n throw new Error(`Config file not found: ${filePath}`);\n }\n } else {\n for (const p of defaultPaths) {\n const fullPath = resolve(process.cwd(), p);\n if (existsSync(fullPath)) {\n filePath = fullPath;\n break;\n }\n }\n }\n\n if (!filePath) {\n const config = resolveConfigEnvVars(DEFAULT_CONFIG);\n // Auto-detect repoUrl from git if not configured\n if (!config.changelog.repoUrl) {\n config.changelog.repoUrl = getRepoUrlFromGit();\n }\n return config;\n }\n\n const content = readFileSync(filePath, 'utf-8');\n const parsed = parse(content) as Partial<Config>;\n\n const merged = deepMerge(DEFAULT_CONFIG, parsed);\n const config = resolveConfigEnvVars(merged);\n\n // Auto-detect repoUrl from git if not configured\n if (!config.changelog.repoUrl) {\n config.changelog.repoUrl = getRepoUrlFromGit();\n }\n\n return config;\n}\n\nexport interface InitResult {\n configPath: string;\n huskyConfigured: boolean;\n huskyHook?: string;\n}\n\n/**\n * Initialize a new config file with defaults\n */\nexport function initConfig(fileName = 'tst-changelog.yaml'): InitResult {\n const filePath = resolve(process.cwd(), fileName);\n\n if (existsSync(filePath)) {\n throw new Error(`Config file already exists: ${filePath}`);\n }\n\n // Auto-detect repoUrl from git remote\n const detectedRepoUrl = getRepoUrlFromGit();\n\n const configTemplate: Config = {\n ai: {\n provider: 'openrouter',\n model: 'anthropic/claude-sonnet-4.5',\n token: '${OPENROUTER_API_KEY}',\n prompt: DEFAULT_PROMPT,\n },\n changelog: {\n file: 'CHANGELOG.md',\n jsonFile: 'changelog.json',\n format: 'keepachangelog',\n includeDate: true,\n includeTime: true,\n includeAuthor: true,\n includeCommitLink: true,\n repoUrl: detectedRepoUrl,\n groupBy: 'type',\n },\n git: {\n baseBranch: 'main',\n analyzeDepth: 50,\n },\n };\n\n const content = stringify(configTemplate, { lineWidth: 0 });\n writeFileSync(filePath, content, 'utf-8');\n\n // Check for husky and configure hook\n const huskyResult = configureHusky();\n\n return {\n configPath: filePath,\n ...huskyResult,\n };\n}\n\n/**\n * Configure husky pre-commit hook if husky is present\n */\nfunction configureHusky(): { huskyConfigured: boolean; huskyHook?: string } {\n const huskyDir = resolve(process.cwd(), '.husky');\n\n if (!existsSync(huskyDir)) {\n return { huskyConfigured: false };\n }\n\n const preCommitPath = resolve(huskyDir, 'pre-commit');\n const commands = `npx tst-changelog generate\ngit add CHANGELOG.md changelog.json 2>/dev/null || true`;\n\n // Check if hook already exists\n if (existsSync(preCommitPath)) {\n const content = readFileSync(preCommitPath, 'utf-8');\n if (content.includes('tst-changelog')) {\n return { huskyConfigured: false }; // Already configured\n }\n // Append to existing hook\n appendFileSync(preCommitPath, `\\n${commands}\\n`);\n } else {\n // Create new hook\n writeFileSync(preCommitPath, `#!/usr/bin/env sh\\n. \"$(dirname -- \"$0\")/_/husky.sh\"\\n\\n${commands}\\n`, { mode: 0o755 });\n }\n\n return { huskyConfigured: true, huskyHook: preCommitPath };\n}\n","import simpleGit, { SimpleGit } from 'simple-git';\nimport type { CommitInfo, StagedChanges, GitConfig } from './types.js';\n\nexport class GitService {\n private git: SimpleGit;\n private config: GitConfig;\n\n constructor(config: GitConfig, cwd?: string) {\n this.git = simpleGit(cwd);\n this.config = config;\n }\n\n /**\n * Get list of staged files\n */\n async getStagedFiles(): Promise<string[]> {\n const status = await this.git.status();\n return status.staged;\n }\n\n /**\n * Get diff of staged changes\n */\n async getStagedDiff(): Promise<string> {\n const diff = await this.git.diff(['--cached']);\n return diff;\n }\n\n /**\n * Get staged changes (files + diff)\n */\n async getStagedChanges(): Promise<StagedChanges> {\n const [files, diff] = await Promise.all([\n this.getStagedFiles(),\n this.getStagedDiff(),\n ]);\n return { files, diff };\n }\n\n /**\n * Get recent commits from the base branch\n */\n async getRecentCommits(count?: number): Promise<CommitInfo[]> {\n const limit = count ?? this.config.analyzeDepth;\n const log = await this.git.log({\n maxCount: limit,\n format: {\n hash: '%H',\n message: '%s',\n author: '%an',\n date: '%aI',\n body: '%b',\n },\n });\n\n return log.all.map((commit) => ({\n hash: commit.hash,\n message: commit.message,\n author: commit.author,\n date: commit.date,\n body: commit.body?.trim() || undefined,\n }));\n }\n\n /**\n * Get commits not yet in base branch (for feature branches)\n */\n async getUnmergedCommits(): Promise<CommitInfo[]> {\n try {\n const log = await this.git.log({\n from: this.config.baseBranch,\n to: 'HEAD',\n format: {\n hash: '%H',\n message: '%s',\n author: '%an',\n date: '%aI',\n body: '%b',\n },\n });\n\n return log.all.map((commit) => ({\n hash: commit.hash,\n message: commit.message,\n author: commit.author,\n date: commit.date,\n body: commit.body?.trim() || undefined,\n }));\n } catch {\n // If base branch doesn't exist, return empty\n return [];\n }\n }\n\n /**\n * Get current branch name\n */\n async getCurrentBranch(): Promise<string> {\n const branch = await this.git.revparse(['--abbrev-ref', 'HEAD']);\n return branch.trim();\n }\n\n /**\n * Stage a file\n */\n async stageFile(filePath: string): Promise<void> {\n await this.git.add(filePath);\n }\n\n /**\n * Check if we're in a git repository\n */\n async isGitRepo(): Promise<boolean> {\n try {\n await this.git.revparse(['--git-dir']);\n return true;\n } catch {\n return false;\n }\n }\n\n /**\n * Get current git user name\n */\n async getCurrentUser(): Promise<string> {\n try {\n const name = await this.git.getConfig('user.name');\n return name.value ?? '';\n } catch {\n return '';\n }\n }\n\n /**\n * Get HEAD commit hash\n */\n async getHeadCommit(): Promise<string> {\n try {\n const hash = await this.git.revparse(['HEAD']);\n return hash.trim();\n } catch {\n return '';\n }\n }\n}\n","import type { AIConfig, CommitInfo, StagedChanges, GeneratedChangelog, ChangelogSection, ChangeType } from './types.js';\n\nconst OPENROUTER_API_URL = 'https://openrouter.ai/api/v1/chat/completions';\n\ninterface OpenRouterResponse {\n choices: Array<{\n message: {\n content: string;\n };\n }>;\n}\n\nexport class AIService {\n private config: AIConfig;\n\n constructor(config: AIConfig) {\n this.config = config;\n }\n\n /**\n * Generate changelog entries from commits and staged changes\n */\n async generateChangelog(\n commits: CommitInfo[],\n staged: StagedChanges\n ): Promise<GeneratedChangelog> {\n const userPrompt = this.buildPrompt(commits, staged);\n const response = await this.callOpenRouter(userPrompt);\n return this.parseResponse(response);\n }\n\n private buildPrompt(commits: CommitInfo[], staged: StagedChanges): string {\n const parts: string[] = [];\n\n if (commits.length > 0) {\n parts.push('## Recent Commits:');\n for (const commit of commits) {\n const shortHash = commit.hash.slice(0, 7);\n const [date, timePart] = commit.date.split('T');\n const time = timePart?.slice(0, 5) ?? ''; // HH:MM\n const datetime = time ? `${date} ${time}` : date;\n parts.push(`- [${shortHash}] (${commit.author}, ${datetime}) ${commit.message}`);\n if (commit.body) {\n parts.push(` ${commit.body}`);\n }\n }\n }\n\n if (staged.files.length > 0) {\n parts.push('\\n## Staged Files:');\n parts.push(staged.files.join('\\n'));\n }\n\n if (staged.diff) {\n // Limit diff size to avoid token limits\n const maxDiffLength = 4000;\n const truncatedDiff = staged.diff.length > maxDiffLength\n ? staged.diff.slice(0, maxDiffLength) + '\\n... (truncated)'\n : staged.diff;\n parts.push('\\n## Staged Diff:');\n parts.push('```diff');\n parts.push(truncatedDiff);\n parts.push('```');\n }\n\n parts.push('\\nGenerate changelog entries for these changes.');\n\n return parts.join('\\n');\n }\n\n private async callOpenRouter(prompt: string): Promise<string> {\n const response = await fetch(OPENROUTER_API_URL, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n 'Authorization': `Bearer ${this.config.token}`,\n 'HTTP-Referer': 'https://github.com/testudosrl/tst-libs',\n 'X-Title': 'tst-changelog',\n },\n body: JSON.stringify({\n model: this.config.model,\n messages: [\n { role: 'system', content: this.config.prompt ?? '' },\n { role: 'user', content: prompt },\n ],\n temperature: 0.3,\n max_tokens: 4000,\n }),\n });\n\n if (!response.ok) {\n const error = await response.text();\n throw new Error(`OpenRouter API error: ${response.status} - ${error}`);\n }\n\n const data = (await response.json()) as OpenRouterResponse;\n return data.choices[0]?.message?.content ?? '';\n }\n\n private parseResponse(response: string): GeneratedChangelog {\n try {\n // Extract JSON from response (handle markdown code blocks or raw JSON)\n let jsonStr = response;\n\n // Try markdown code block first\n const codeBlockMatch = response.match(/```(?:json)?\\s*([\\s\\S]*?)```/);\n if (codeBlockMatch) {\n jsonStr = codeBlockMatch[1];\n } else {\n // Try to find JSON object in the response\n const jsonObjectMatch = response.match(/\\{[\\s\\S]*\"sections\"[\\s\\S]*\\}/);\n if (jsonObjectMatch) {\n jsonStr = jsonObjectMatch[0];\n }\n }\n\n const parsed = JSON.parse(jsonStr.trim()) as { sections: ChangelogSection[] };\n\n // Validate and normalize sections\n const validTypes: ChangeType[] = ['Added', 'Changed', 'Deprecated', 'Removed', 'Fixed', 'Security'];\n const sections = parsed.sections\n .filter((s) => validTypes.includes(s.type))\n .map((s) => ({\n type: s.type,\n items: Array.isArray(s.items) ? s.items.filter((i) => typeof i === 'string') : [],\n }))\n .filter((s) => s.items.length > 0);\n\n return {\n raw: response,\n sections,\n };\n } catch (error) {\n console.error('Failed to parse AI response:', error);\n console.error('Raw response:', response);\n return {\n raw: response,\n sections: [],\n };\n }\n }\n}\n","import { readFileSync, writeFileSync, existsSync } from 'node:fs';\nimport { resolve } from 'node:path';\nimport type { ChangelogConfig, ChangelogSection, GeneratedChangelog, ChangelogMetadata, ChangelogJson, ChangelogJsonRelease, VersionedEntry } from './types.js';\n\nconst KEEPACHANGELOG_HEADER = `# Changelog\n\nAll notable changes to this project will be documented in this file.\n\nThe format is based on [Keep a Changelog](https://keepachangelog.com/en/1.1.0/),\nand this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).\n\n`;\n\nconst SECTION_ORDER = ['Added', 'Changed', 'Deprecated', 'Removed', 'Fixed', 'Security'] as const;\n\nexport class ChangelogService {\n private config: ChangelogConfig;\n private filePath: string;\n\n constructor(config: ChangelogConfig, cwd?: string) {\n this.config = config;\n this.filePath = resolve(cwd ?? process.cwd(), config.file);\n }\n\n /**\n * Read existing changelog content\n */\n read(): string | null {\n if (!existsSync(this.filePath)) {\n return null;\n }\n return readFileSync(this.filePath, 'utf-8');\n }\n\n /**\n * Generate new changelog entry\n */\n formatEntry(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): string {\n const versionStr = version ?? 'Unreleased';\n const headerParts: string[] = [`## [${versionStr}]`];\n\n // Date and time\n if (this.config.includeDate) {\n const now = metadata?.timestamp ?? new Date();\n let dateStr = now.toISOString().split('T')[0];\n if (this.config.includeTime) {\n const timeStr = now.toTimeString().split(' ')[0].slice(0, 5); // HH:MM\n dateStr += ` ${timeStr}`;\n }\n headerParts.push(`- ${dateStr}`);\n }\n\n // Author\n if (this.config.includeAuthor && metadata?.author) {\n headerParts.push(`by ${metadata.author}`);\n }\n\n // Commit link\n if (this.config.includeCommitLink && metadata?.commitHash) {\n const shortHash = metadata.commitHash.slice(0, 7);\n if (this.config.repoUrl) {\n const commitUrl = `${this.config.repoUrl.replace(/\\/$/, '')}/commit/${metadata.commitHash}`;\n headerParts.push(`([${shortHash}](${commitUrl}))`);\n } else {\n headerParts.push(`(${shortHash})`);\n }\n }\n\n const headerLine = headerParts.join(' ');\n\n const sections = this.sortSections(generated.sections);\n const sectionLines = sections\n .map((section) => this.formatSection(section))\n .join('\\n\\n');\n\n return `${headerLine}\\n\\n${sectionLines}`;\n }\n\n /**\n * Format a simple entry with just version and date (no time, no author)\n * Used for --from-commits mode with date grouping\n */\n formatSimpleEntry(generated: GeneratedChangelog, version: string, date: string): string {\n const headerLine = `## [${version}] - ${date}`;\n\n const sections = this.sortSections(generated.sections);\n const sectionLines = sections\n .map((section) => this.formatSection(section))\n .join('\\n\\n');\n\n return `${headerLine}\\n\\n${sectionLines}`;\n }\n\n /**\n * Format multiple versioned entries into changelog format\n * Entries should already be sorted (newest first)\n */\n formatMultipleEntries(entries: VersionedEntry[]): string {\n return entries\n .map((entry) => this.formatSimpleEntry(entry.generated, entry.version, entry.date))\n .join('\\n\\n');\n }\n\n /**\n * Update changelog with multiple versioned entries (for --from-commits mode)\n * Entries should be in order from newest to oldest (for display order)\n */\n updateWithMultipleEntries(entries: VersionedEntry[]): string {\n const existing = this.read();\n const newContent = this.formatMultipleEntries(entries);\n\n if (!existing) {\n // Create new changelog\n return KEEPACHANGELOG_HEADER + newContent + '\\n';\n }\n\n // Find where to insert new entries (after header, before first version)\n const lines = existing.split('\\n');\n let insertIndex = -1;\n\n for (let i = 0; i < lines.length; i++) {\n const line = lines[i];\n if (line.startsWith('## [')) {\n insertIndex = i;\n break;\n }\n }\n\n if (insertIndex === -1) {\n // No version sections found, append after header\n return existing.trimEnd() + '\\n\\n' + newContent + '\\n';\n }\n\n // Insert before first version\n const before = lines.slice(0, insertIndex).join('\\n');\n const after = lines.slice(insertIndex).join('\\n');\n return before + (before.endsWith('\\n') ? '' : '\\n') + newContent + '\\n\\n' + after;\n }\n\n /**\n * Update JSON changelog with multiple releases (for --from-commits mode)\n * Entries should be in order from newest to oldest\n */\n updateJsonWithMultipleEntries(entries: VersionedEntry[]): ChangelogJson {\n const existing = this.readJson();\n\n const newReleases: ChangelogJsonRelease[] = entries.map((entry) => {\n const sections: Record<string, string[]> = {};\n for (const section of entry.generated.sections) {\n sections[section.type] = section.items;\n }\n return {\n version: entry.version,\n date: entry.date,\n sections,\n };\n });\n\n if (!existing) {\n return { releases: newReleases };\n }\n\n // Prepend new releases\n return { releases: [...newReleases, ...existing.releases] };\n }\n\n private sortSections(sections: ChangelogSection[]): ChangelogSection[] {\n return [...sections].sort((a, b) => {\n const indexA = SECTION_ORDER.indexOf(a.type as typeof SECTION_ORDER[number]);\n const indexB = SECTION_ORDER.indexOf(b.type as typeof SECTION_ORDER[number]);\n return indexA - indexB;\n });\n }\n\n private formatSection(section: ChangelogSection): string {\n const items = section.items.map((item) => `- ${this.formatItemWithLinks(item)}`).join('\\n');\n return `### ${section.type}\\n\\n${items}`;\n }\n\n /**\n * Convert commit hashes in item to markdown links if repoUrl is configured\n */\n private formatItemWithLinks(item: string): string {\n if (!this.config.repoUrl) return item;\n\n const repoUrl = this.config.repoUrl.replace(/\\/$/, '');\n\n // Match patterns like \"abc1234\" or \"abc1234; def5678\" at the end of parentheses\n // Pattern: 7-char hex hash\n return item.replace(/\\b([a-f0-9]{7})\\b/g, (match) => {\n return `[${match}](${repoUrl}/commit/${match})`;\n });\n }\n\n /**\n * Update or create changelog with new entry\n */\n update(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): string {\n const existing = this.read();\n\n if (!existing) {\n // Create new changelog\n const newEntry = this.formatEntry(generated, version, metadata);\n return KEEPACHANGELOG_HEADER + newEntry + '\\n';\n }\n\n // Find where to insert new entry (after header, before first version)\n const lines = existing.split('\\n');\n let insertIndex = -1;\n\n // Look for ## [Unreleased] or first ## [ section\n for (let i = 0; i < lines.length; i++) {\n const line = lines[i];\n if (line.startsWith('## [Unreleased]')) {\n // Merge with existing unreleased section\n const endIndex = this.findSectionEnd(lines, i + 1);\n const existingSectionLines = lines.slice(i, endIndex);\n const mergedSection = this.mergeUnreleasedSection(existingSectionLines, generated, metadata);\n const before = lines.slice(0, i).join('\\n');\n const after = lines.slice(endIndex).join('\\n');\n return before + (before.endsWith('\\n') ? '' : '\\n') + mergedSection + '\\n' + after;\n }\n if (line.startsWith('## [') && insertIndex === -1) {\n insertIndex = i;\n break;\n }\n }\n\n const newEntry = this.formatEntry(generated, version, metadata);\n\n if (insertIndex === -1) {\n // No version sections found, append after header\n return existing.trimEnd() + '\\n\\n' + newEntry + '\\n';\n }\n\n // Insert before first version\n const before = lines.slice(0, insertIndex).join('\\n');\n const after = lines.slice(insertIndex).join('\\n');\n return before + (before.endsWith('\\n') ? '' : '\\n') + newEntry + '\\n\\n' + after;\n }\n\n /**\n * Merge new entries into existing Unreleased section\n */\n private mergeUnreleasedSection(\n existingLines: string[],\n generated: GeneratedChangelog,\n metadata?: ChangelogMetadata\n ): string {\n // Parse existing sections\n const existingSections: Map<string, string[]> = new Map();\n let currentSection: string | null = null;\n\n for (const line of existingLines) {\n if (line.startsWith('### ')) {\n currentSection = line.slice(4).trim();\n if (!existingSections.has(currentSection)) {\n existingSections.set(currentSection, []);\n }\n } else if (currentSection && line.startsWith('- ')) {\n existingSections.get(currentSection)!.push(line.slice(2));\n }\n }\n\n // Merge new sections\n for (const section of generated.sections) {\n const existing = existingSections.get(section.type) ?? [];\n // Add new items that don't already exist\n for (const item of section.items) {\n if (!existing.includes(item)) {\n existing.push(item);\n }\n }\n existingSections.set(section.type, existing);\n }\n\n // Build merged entry\n const versionStr = 'Unreleased';\n const headerParts: string[] = [`## [${versionStr}]`];\n\n if (this.config.includeDate) {\n const now = metadata?.timestamp ?? new Date();\n let dateStr = now.toISOString().split('T')[0];\n if (this.config.includeTime) {\n const timeStr = now.toTimeString().split(' ')[0].slice(0, 5);\n dateStr += ` ${timeStr}`;\n }\n headerParts.push(`- ${dateStr}`);\n }\n\n if (this.config.includeAuthor && metadata?.author) {\n headerParts.push(`by ${metadata.author}`);\n }\n\n if (this.config.includeCommitLink && metadata?.commitHash) {\n const shortHash = metadata.commitHash.slice(0, 7);\n if (this.config.repoUrl) {\n const commitUrl = `${this.config.repoUrl.replace(/\\/$/, '')}/commit/${metadata.commitHash}`;\n headerParts.push(`([${shortHash}](${commitUrl}))`);\n } else {\n headerParts.push(`(${shortHash})`);\n }\n }\n\n const headerLine = headerParts.join(' ');\n\n // Sort and format sections\n const sortedSections: ChangelogSection[] = [];\n for (const type of SECTION_ORDER) {\n const items = existingSections.get(type);\n if (items && items.length > 0) {\n sortedSections.push({ type, items });\n }\n }\n\n const sectionLines = sortedSections\n .map((section) => this.formatSection(section))\n .join('\\n\\n');\n\n return `${headerLine}\\n\\n${sectionLines}`;\n }\n\n private findSectionEnd(lines: string[], startIndex: number): number {\n for (let i = startIndex; i < lines.length; i++) {\n if (lines[i].startsWith('## [')) {\n return i;\n }\n }\n return lines.length;\n }\n\n /**\n * Write changelog to file\n */\n write(content: string): void {\n writeFileSync(this.filePath, content, 'utf-8');\n }\n\n /**\n * Get the file path\n */\n getFilePath(): string {\n return this.filePath;\n }\n\n /**\n * Get JSON file path if configured\n */\n getJsonFilePath(): string | null {\n if (!this.config.jsonFile) return null;\n return resolve(process.cwd(), this.config.jsonFile);\n }\n\n /**\n * Read existing JSON changelog\n */\n readJson(): ChangelogJson | null {\n const jsonPath = this.getJsonFilePath();\n if (!jsonPath || !existsSync(jsonPath)) {\n return null;\n }\n try {\n const content = readFileSync(jsonPath, 'utf-8');\n return JSON.parse(content) as ChangelogJson;\n } catch {\n return null;\n }\n }\n\n /**\n * Create a JSON release entry from generated changelog\n */\n createJsonRelease(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): ChangelogJsonRelease {\n const now = metadata?.timestamp ?? new Date();\n const sections: Record<string, string[]> = {};\n\n for (const section of generated.sections) {\n sections[section.type] = section.items;\n }\n\n const release: ChangelogJsonRelease = {\n version: version ?? 'Unreleased',\n date: now.toISOString().split('T')[0],\n sections,\n };\n\n if (this.config.includeTime) {\n release.time = now.toTimeString().split(' ')[0].slice(0, 5);\n }\n\n if (this.config.includeAuthor && metadata?.author) {\n release.author = metadata.author;\n }\n\n if (this.config.includeCommitLink && metadata?.commitHash) {\n release.commitHash = metadata.commitHash;\n }\n\n return release;\n }\n\n /**\n * Update JSON changelog with new release\n */\n updateJson(generated: GeneratedChangelog, version?: string, metadata?: ChangelogMetadata): ChangelogJson {\n const newRelease = this.createJsonRelease(generated, version, metadata);\n const existing = this.readJson();\n\n if (!existing) {\n return { releases: [newRelease] };\n }\n\n // Find and merge or prepend\n const unreleasedIndex = existing.releases.findIndex(r => r.version === 'Unreleased');\n\n if (unreleasedIndex >= 0 && newRelease.version === 'Unreleased') {\n // Merge with existing unreleased\n const existingRelease = existing.releases[unreleasedIndex];\n for (const [type, items] of Object.entries(newRelease.sections)) {\n const existingItems = existingRelease.sections[type] ?? [];\n for (const item of items) {\n if (!existingItems.includes(item)) {\n existingItems.push(item);\n }\n }\n existingRelease.sections[type] = existingItems;\n }\n // Update metadata to latest\n existingRelease.date = newRelease.date;\n if (newRelease.time) existingRelease.time = newRelease.time;\n if (newRelease.author) existingRelease.author = newRelease.author;\n if (newRelease.commitHash) existingRelease.commitHash = newRelease.commitHash;\n } else {\n // Prepend new release\n existing.releases.unshift(newRelease);\n }\n\n return existing;\n }\n\n /**\n * Write JSON changelog to file\n */\n writeJson(data: ChangelogJson): void {\n const jsonPath = this.getJsonFilePath();\n if (!jsonPath) return;\n writeFileSync(jsonPath, JSON.stringify(data, null, 2), 'utf-8');\n }\n}\n"],"mappings":";;;AAAA,OAAO;AACP,SAAS,eAAe;AACxB,SAAS,gBAAAA,eAAc,cAAAC,mBAAkB;AACzC,SAAS,qBAAqB;AAC9B,SAAS,SAAS,WAAAC,gBAAe;;;ACJjC,SAAS,cAAc,YAAY,eAAe,sBAAsB;AACxE,SAAS,eAAe;AACxB,SAAS,gBAAgB;AACzB,SAAS,OAAO,iBAAiB;AAOjC,SAAS,oBAA4B;AACnC,MAAI;AACF,UAAM,MAAM,SAAS,oCAAoC;AAAA,MACvD,UAAU;AAAA,MACV,OAAO,CAAC,QAAQ,QAAQ,MAAM;AAAA,IAChC,CAAC,EAAE,KAAK;AAGR,QAAI,IAAI,WAAW,MAAM,GAAG;AAC1B,aAAO,IAAI,QAAQ,iBAAiB,aAAa,EAAE,QAAQ,UAAU,EAAE;AAAA,IACzE;AAGA,WAAO,IAAI,QAAQ,UAAU,EAAE;AAAA,EACjC,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AA8BvB,IAAM,iBAAyB;AAAA,EAC7B,IAAI;AAAA,IACF,UAAU;AAAA,IACV,OAAO;AAAA,IACP,OAAO;AAAA,IACP,QAAQ;AAAA,EACV;AAAA,EACA,WAAW;AAAA,IACT,MAAM;AAAA,IACN,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,aAAa;AAAA,IACb,aAAa;AAAA,IACb,eAAe;AAAA,IACf,mBAAmB;AAAA,IACnB,SAAS;AAAA,IACT,SAAS;AAAA,EACX;AAAA,EACA,KAAK;AAAA,IACH,YAAY;AAAA,IACZ,cAAc;AAAA,EAChB;AACF;AAMA,SAAS,eAAe,OAAuB;AAC7C,SAAO,MAAM,QAAQ,kBAAkB,CAAC,GAAG,WAAW;AACpD,UAAM,WAAW,QAAQ,IAAI,MAAM;AACnC,QAAI,CAAC,UAAU;AACb,YAAM,IAAI,MAAM,wBAAwB,MAAM,aAAa;AAAA,IAC7D;AACA,WAAO;AAAA,EACT,CAAC;AACH;AAKA,SAAS,qBAAwB,KAAW;AAC1C,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,eAAe,GAAG;AAAA,EAC3B;AACA,MAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,WAAO,IAAI,IAAI,oBAAoB;AAAA,EACrC;AACA,MAAI,OAAO,OAAO,QAAQ,UAAU;AAClC,UAAM,WAAoC,CAAC;AAC3C,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,GAAG;AAC9C,eAAS,GAAG,IAAI,qBAAqB,KAAK;AAAA,IAC5C;AACA,WAAO;AAAA,EACT;AACA,SAAO;AACT;AAKA,SAAS,UAAU,QAAgB,QAAiC;AAClE,SAAO;AAAA,IACL,IAAI,EAAE,GAAG,OAAO,IAAI,GAAG,OAAO,GAAG;AAAA,IACjC,WAAW,EAAE,GAAG,OAAO,WAAW,GAAG,OAAO,UAAU;AAAA,IACtD,KAAK,EAAE,GAAG,OAAO,KAAK,GAAG,OAAO,IAAI;AAAA,EACtC;AACF;AAKO,SAAS,WAAW,YAA6B;AACtD,QAAM,eAAe,CAAC,sBAAsB,qBAAqB,qBAAqB;AAEtF,MAAI;AAEJ,MAAI,YAAY;AACd,eAAW,QAAQ,QAAQ,IAAI,GAAG,UAAU;AAC5C,QAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,YAAM,IAAI,MAAM,0BAA0B,QAAQ,EAAE;AAAA,IACtD;AAAA,EACF,OAAO;AACL,eAAW,KAAK,cAAc;AAC5B,YAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,CAAC;AACzC,UAAI,WAAW,QAAQ,GAAG;AACxB,mBAAW;AACX;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,UAAU;AACb,UAAMC,UAAS,qBAAqB,cAAc;AAElD,QAAI,CAACA,QAAO,UAAU,SAAS;AAC7B,MAAAA,QAAO,UAAU,UAAU,kBAAkB;AAAA,IAC/C;AACA,WAAOA;AAAA,EACT;AAEA,QAAM,UAAU,aAAa,UAAU,OAAO;AAC9C,QAAM,SAAS,MAAM,OAAO;AAE5B,QAAM,SAAS,UAAU,gBAAgB,MAAM;AAC/C,QAAM,SAAS,qBAAqB,MAAM;AAG1C,MAAI,CAAC,OAAO,UAAU,SAAS;AAC7B,WAAO,UAAU,UAAU,kBAAkB;AAAA,EAC/C;AAEA,SAAO;AACT;AAWO,SAAS,WAAW,WAAW,sBAAkC;AACtE,QAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,QAAQ;AAEhD,MAAI,WAAW,QAAQ,GAAG;AACxB,UAAM,IAAI,MAAM,+BAA+B,QAAQ,EAAE;AAAA,EAC3D;AAGA,QAAM,kBAAkB,kBAAkB;AAE1C,QAAM,iBAAyB;AAAA,IAC7B,IAAI;AAAA,MACF,UAAU;AAAA,MACV,OAAO;AAAA,MACP,OAAO;AAAA,MACP,QAAQ;AAAA,IACV;AAAA,IACA,WAAW;AAAA,MACT,MAAM;AAAA,MACN,UAAU;AAAA,MACV,QAAQ;AAAA,MACR,aAAa;AAAA,MACb,aAAa;AAAA,MACb,eAAe;AAAA,MACf,mBAAmB;AAAA,MACnB,SAAS;AAAA,MACT,SAAS;AAAA,IACX;AAAA,IACA,KAAK;AAAA,MACH,YAAY;AAAA,MACZ,cAAc;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,UAAU,UAAU,gBAAgB,EAAE,WAAW,EAAE,CAAC;AAC1D,gBAAc,UAAU,SAAS,OAAO;AAGxC,QAAM,cAAc,eAAe;AAEnC,SAAO;AAAA,IACL,YAAY;AAAA,IACZ,GAAG;AAAA,EACL;AACF;AAKA,SAAS,iBAAmE;AAC1E,QAAM,WAAW,QAAQ,QAAQ,IAAI,GAAG,QAAQ;AAEhD,MAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,WAAO,EAAE,iBAAiB,MAAM;AAAA,EAClC;AAEA,QAAM,gBAAgB,QAAQ,UAAU,YAAY;AACpD,QAAM,WAAW;AAAA;AAIjB,MAAI,WAAW,aAAa,GAAG;AAC7B,UAAM,UAAU,aAAa,eAAe,OAAO;AACnD,QAAI,QAAQ,SAAS,eAAe,GAAG;AACrC,aAAO,EAAE,iBAAiB,MAAM;AAAA,IAClC;AAEA,mBAAe,eAAe;AAAA,EAAK,QAAQ;AAAA,CAAI;AAAA,EACjD,OAAO;AAEL,kBAAc,eAAe;AAAA;AAAA;AAAA,EAA2D,QAAQ;AAAA,GAAM,EAAE,MAAM,IAAM,CAAC;AAAA,EACvH;AAEA,SAAO,EAAE,iBAAiB,MAAM,WAAW,cAAc;AAC3D;;;ACjQA,OAAO,eAA8B;AAG9B,IAAM,aAAN,MAAiB;AAAA,EACd;AAAA,EACA;AAAA,EAER,YAAY,QAAmB,KAAc;AAC3C,SAAK,MAAM,UAAU,GAAG;AACxB,SAAK,SAAS;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAoC;AACxC,UAAM,SAAS,MAAM,KAAK,IAAI,OAAO;AACrC,WAAO,OAAO;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,gBAAiC;AACrC,UAAM,OAAO,MAAM,KAAK,IAAI,KAAK,CAAC,UAAU,CAAC;AAC7C,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,mBAA2C;AAC/C,UAAM,CAAC,OAAO,IAAI,IAAI,MAAM,QAAQ,IAAI;AAAA,MACtC,KAAK,eAAe;AAAA,MACpB,KAAK,cAAc;AAAA,IACrB,CAAC;AACD,WAAO,EAAE,OAAO,KAAK;AAAA,EACvB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAiB,OAAuC;AAC5D,UAAM,QAAQ,SAAS,KAAK,OAAO;AACnC,UAAM,MAAM,MAAM,KAAK,IAAI,IAAI;AAAA,MAC7B,UAAU;AAAA,MACV,QAAQ;AAAA,QACN,MAAM;AAAA,QACN,SAAS;AAAA,QACT,QAAQ;AAAA,QACR,MAAM;AAAA,QACN,MAAM;AAAA,MACR;AAAA,IACF,CAAC;AAED,WAAO,IAAI,IAAI,IAAI,CAAC,YAAY;AAAA,MAC9B,MAAM,OAAO;AAAA,MACb,SAAS,OAAO;AAAA,MAChB,QAAQ,OAAO;AAAA,MACf,MAAM,OAAO;AAAA,MACb,MAAM,OAAO,MAAM,KAAK,KAAK;AAAA,IAC/B,EAAE;AAAA,EACJ;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,qBAA4C;AAChD,QAAI;AACF,YAAM,MAAM,MAAM,KAAK,IAAI,IAAI;AAAA,QAC7B,MAAM,KAAK,OAAO;AAAA,QAClB,IAAI;AAAA,QACJ,QAAQ;AAAA,UACN,MAAM;AAAA,UACN,SAAS;AAAA,UACT,QAAQ;AAAA,UACR,MAAM;AAAA,UACN,MAAM;AAAA,QACR;AAAA,MACF,CAAC;AAED,aAAO,IAAI,IAAI,IAAI,CAAC,YAAY;AAAA,QAC9B,MAAM,OAAO;AAAA,QACb,SAAS,OAAO;AAAA,QAChB,QAAQ,OAAO;AAAA,QACf,MAAM,OAAO;AAAA,QACb,MAAM,OAAO,MAAM,KAAK,KAAK;AAAA,MAC/B,EAAE;AAAA,IACJ,QAAQ;AAEN,aAAO,CAAC;AAAA,IACV;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,mBAAoC;AACxC,UAAM,SAAS,MAAM,KAAK,IAAI,SAAS,CAAC,gBAAgB,MAAM,CAAC;AAC/D,WAAO,OAAO,KAAK;AAAA,EACrB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,UAAU,UAAiC;AAC/C,UAAM,KAAK,IAAI,IAAI,QAAQ;AAAA,EAC7B;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,YAA8B;AAClC,QAAI;AACF,YAAM,KAAK,IAAI,SAAS,CAAC,WAAW,CAAC;AACrC,aAAO;AAAA,IACT,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,iBAAkC;AACtC,QAAI;AACF,YAAM,OAAO,MAAM,KAAK,IAAI,UAAU,WAAW;AACjD,aAAO,KAAK,SAAS;AAAA,IACvB,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,gBAAiC;AACrC,QAAI;AACF,YAAM,OAAO,MAAM,KAAK,IAAI,SAAS,CAAC,MAAM,CAAC;AAC7C,aAAO,KAAK,KAAK;AAAA,IACnB,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AACF;;;AC9IA,IAAM,qBAAqB;AAUpB,IAAM,YAAN,MAAgB;AAAA,EACb;AAAA,EAER,YAAY,QAAkB;AAC5B,SAAK,SAAS;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,kBACJ,SACA,QAC6B;AAC7B,UAAM,aAAa,KAAK,YAAY,SAAS,MAAM;AACnD,UAAM,WAAW,MAAM,KAAK,eAAe,UAAU;AACrD,WAAO,KAAK,cAAc,QAAQ;AAAA,EACpC;AAAA,EAEQ,YAAY,SAAuB,QAA+B;AACxE,UAAM,QAAkB,CAAC;AAEzB,QAAI,QAAQ,SAAS,GAAG;AACtB,YAAM,KAAK,oBAAoB;AAC/B,iBAAW,UAAU,SAAS;AAC5B,cAAM,YAAY,OAAO,KAAK,MAAM,GAAG,CAAC;AACxC,cAAM,CAAC,MAAM,QAAQ,IAAI,OAAO,KAAK,MAAM,GAAG;AAC9C,cAAM,OAAO,UAAU,MAAM,GAAG,CAAC,KAAK;AACtC,cAAM,WAAW,OAAO,GAAG,IAAI,IAAI,IAAI,KAAK;AAC5C,cAAM,KAAK,MAAM,SAAS,MAAM,OAAO,MAAM,KAAK,QAAQ,KAAK,OAAO,OAAO,EAAE;AAC/E,YAAI,OAAO,MAAM;AACf,gBAAM,KAAK,KAAK,OAAO,IAAI,EAAE;AAAA,QAC/B;AAAA,MACF;AAAA,IACF;AAEA,QAAI,OAAO,MAAM,SAAS,GAAG;AAC3B,YAAM,KAAK,oBAAoB;AAC/B,YAAM,KAAK,OAAO,MAAM,KAAK,IAAI,CAAC;AAAA,IACpC;AAEA,QAAI,OAAO,MAAM;AAEf,YAAM,gBAAgB;AACtB,YAAM,gBAAgB,OAAO,KAAK,SAAS,gBACvC,OAAO,KAAK,MAAM,GAAG,aAAa,IAAI,sBACtC,OAAO;AACX,YAAM,KAAK,mBAAmB;AAC9B,YAAM,KAAK,SAAS;AACpB,YAAM,KAAK,aAAa;AACxB,YAAM,KAAK,KAAK;AAAA,IAClB;AAEA,UAAM,KAAK,iDAAiD;AAE5D,WAAO,MAAM,KAAK,IAAI;AAAA,EACxB;AAAA,EAEA,MAAc,eAAe,QAAiC;AAC5D,UAAM,WAAW,MAAM,MAAM,oBAAoB;AAAA,MAC/C,QAAQ;AAAA,MACR,SAAS;AAAA,QACP,gBAAgB;AAAA,QAChB,iBAAiB,UAAU,KAAK,OAAO,KAAK;AAAA,QAC5C,gBAAgB;AAAA,QAChB,WAAW;AAAA,MACb;AAAA,MACA,MAAM,KAAK,UAAU;AAAA,QACnB,OAAO,KAAK,OAAO;AAAA,QACnB,UAAU;AAAA,UACR,EAAE,MAAM,UAAU,SAAS,KAAK,OAAO,UAAU,GAAG;AAAA,UACpD,EAAE,MAAM,QAAQ,SAAS,OAAO;AAAA,QAClC;AAAA,QACA,aAAa;AAAA,QACb,YAAY;AAAA,MACd,CAAC;AAAA,IACH,CAAC;AAED,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,YAAM,IAAI,MAAM,yBAAyB,SAAS,MAAM,MAAM,KAAK,EAAE;AAAA,IACvE;AAEA,UAAM,OAAQ,MAAM,SAAS,KAAK;AAClC,WAAO,KAAK,QAAQ,CAAC,GAAG,SAAS,WAAW;AAAA,EAC9C;AAAA,EAEQ,cAAc,UAAsC;AAC1D,QAAI;AAEF,UAAI,UAAU;AAGd,YAAM,iBAAiB,SAAS,MAAM,8BAA8B;AACpE,UAAI,gBAAgB;AAClB,kBAAU,eAAe,CAAC;AAAA,MAC5B,OAAO;AAEL,cAAM,kBAAkB,SAAS,MAAM,8BAA8B;AACrE,YAAI,iBAAiB;AACnB,oBAAU,gBAAgB,CAAC;AAAA,QAC7B;AAAA,MACF;AAEA,YAAM,SAAS,KAAK,MAAM,QAAQ,KAAK,CAAC;AAGxC,YAAM,aAA2B,CAAC,SAAS,WAAW,cAAc,WAAW,SAAS,UAAU;AAClG,YAAM,WAAW,OAAO,SACrB,OAAO,CAAC,MAAM,WAAW,SAAS,EAAE,IAAI,CAAC,EACzC,IAAI,CAAC,OAAO;AAAA,QACX,MAAM,EAAE;AAAA,QACR,OAAO,MAAM,QAAQ,EAAE,KAAK,IAAI,EAAE,MAAM,OAAO,CAAC,MAAM,OAAO,MAAM,QAAQ,IAAI,CAAC;AAAA,MAClF,EAAE,EACD,OAAO,CAAC,MAAM,EAAE,MAAM,SAAS,CAAC;AAEnC,aAAO;AAAA,QACL,KAAK;AAAA,QACL;AAAA,MACF;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,gCAAgC,KAAK;AACnD,cAAQ,MAAM,iBAAiB,QAAQ;AACvC,aAAO;AAAA,QACL,KAAK;AAAA,QACL,UAAU,CAAC;AAAA,MACb;AAAA,IACF;AAAA,EACF;AACF;;;AC7IA,SAAS,gBAAAC,eAAc,iBAAAC,gBAAe,cAAAC,mBAAkB;AACxD,SAAS,WAAAC,gBAAe;AAGxB,IAAM,wBAAwB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAS9B,IAAM,gBAAgB,CAAC,SAAS,WAAW,cAAc,WAAW,SAAS,UAAU;AAEhF,IAAM,mBAAN,MAAuB;AAAA,EACpB;AAAA,EACA;AAAA,EAER,YAAY,QAAyB,KAAc;AACjD,SAAK,SAAS;AACd,SAAK,WAAWA,SAAQ,OAAO,QAAQ,IAAI,GAAG,OAAO,IAAI;AAAA,EAC3D;AAAA;AAAA;AAAA;AAAA,EAKA,OAAsB;AACpB,QAAI,CAACD,YAAW,KAAK,QAAQ,GAAG;AAC9B,aAAO;AAAA,IACT;AACA,WAAOF,cAAa,KAAK,UAAU,OAAO;AAAA,EAC5C;AAAA;AAAA;AAAA;AAAA,EAKA,YAAY,WAA+B,SAAkB,UAAsC;AACjG,UAAM,aAAa,WAAW;AAC9B,UAAM,cAAwB,CAAC,OAAO,UAAU,GAAG;AAGnD,QAAI,KAAK,OAAO,aAAa;AAC3B,YAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAI,UAAU,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAC5C,UAAI,KAAK,OAAO,aAAa;AAC3B,cAAM,UAAU,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAC3D,mBAAW,IAAI,OAAO;AAAA,MACxB;AACA,kBAAY,KAAK,KAAK,OAAO,EAAE;AAAA,IACjC;AAGA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,kBAAY,KAAK,MAAM,SAAS,MAAM,EAAE;AAAA,IAC1C;AAGA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,YAAM,YAAY,SAAS,WAAW,MAAM,GAAG,CAAC;AAChD,UAAI,KAAK,OAAO,SAAS;AACvB,cAAM,YAAY,GAAG,KAAK,OAAO,QAAQ,QAAQ,OAAO,EAAE,CAAC,WAAW,SAAS,UAAU;AACzF,oBAAY,KAAK,KAAK,SAAS,KAAK,SAAS,IAAI;AAAA,MACnD,OAAO;AACL,oBAAY,KAAK,IAAI,SAAS,GAAG;AAAA,MACnC;AAAA,IACF;AAEA,UAAM,aAAa,YAAY,KAAK,GAAG;AAEvC,UAAM,WAAW,KAAK,aAAa,UAAU,QAAQ;AACrD,UAAM,eAAe,SAClB,IAAI,CAAC,YAAY,KAAK,cAAc,OAAO,CAAC,EAC5C,KAAK,MAAM;AAEd,WAAO,GAAG,UAAU;AAAA;AAAA,EAAO,YAAY;AAAA,EACzC;AAAA;AAAA;AAAA;AAAA;AAAA,EAMA,kBAAkB,WAA+B,SAAiB,MAAsB;AACtF,UAAM,aAAa,OAAO,OAAO,OAAO,IAAI;AAE5C,UAAM,WAAW,KAAK,aAAa,UAAU,QAAQ;AACrD,UAAM,eAAe,SAClB,IAAI,CAAC,YAAY,KAAK,cAAc,OAAO,CAAC,EAC5C,KAAK,MAAM;AAEd,WAAO,GAAG,UAAU;AAAA;AAAA,EAAO,YAAY;AAAA,EACzC;AAAA;AAAA;AAAA;AAAA;AAAA,EAMA,sBAAsB,SAAmC;AACvD,WAAO,QACJ,IAAI,CAAC,UAAU,KAAK,kBAAkB,MAAM,WAAW,MAAM,SAAS,MAAM,IAAI,CAAC,EACjF,KAAK,MAAM;AAAA,EAChB;AAAA;AAAA;AAAA;AAAA;AAAA,EAMA,0BAA0B,SAAmC;AAC3D,UAAM,WAAW,KAAK,KAAK;AAC3B,UAAM,aAAa,KAAK,sBAAsB,OAAO;AAErD,QAAI,CAAC,UAAU;AAEb,aAAO,wBAAwB,aAAa;AAAA,IAC9C;AAGA,UAAM,QAAQ,SAAS,MAAM,IAAI;AACjC,QAAI,cAAc;AAElB,aAAS,IAAI,GAAG,IAAI,MAAM,QAAQ,KAAK;AACrC,YAAM,OAAO,MAAM,CAAC;AACpB,UAAI,KAAK,WAAW,MAAM,GAAG;AAC3B,sBAAc;AACd;AAAA,MACF;AAAA,IACF;AAEA,QAAI,gBAAgB,IAAI;AAEtB,aAAO,SAAS,QAAQ,IAAI,SAAS,aAAa;AAAA,IACpD;AAGA,UAAM,SAAS,MAAM,MAAM,GAAG,WAAW,EAAE,KAAK,IAAI;AACpD,UAAM,QAAQ,MAAM,MAAM,WAAW,EAAE,KAAK,IAAI;AAChD,WAAO,UAAU,OAAO,SAAS,IAAI,IAAI,KAAK,QAAQ,aAAa,SAAS;AAAA,EAC9E;AAAA;AAAA;AAAA;AAAA;AAAA,EAMA,8BAA8B,SAA0C;AACtE,UAAM,WAAW,KAAK,SAAS;AAE/B,UAAM,cAAsC,QAAQ,IAAI,CAAC,UAAU;AACjE,YAAM,WAAqC,CAAC;AAC5C,iBAAW,WAAW,MAAM,UAAU,UAAU;AAC9C,iBAAS,QAAQ,IAAI,IAAI,QAAQ;AAAA,MACnC;AACA,aAAO;AAAA,QACL,SAAS,MAAM;AAAA,QACf,MAAM,MAAM;AAAA,QACZ;AAAA,MACF;AAAA,IACF,CAAC;AAED,QAAI,CAAC,UAAU;AACb,aAAO,EAAE,UAAU,YAAY;AAAA,IACjC;AAGA,WAAO,EAAE,UAAU,CAAC,GAAG,aAAa,GAAG,SAAS,QAAQ,EAAE;AAAA,EAC5D;AAAA,EAEQ,aAAa,UAAkD;AACrE,WAAO,CAAC,GAAG,QAAQ,EAAE,KAAK,CAAC,GAAG,MAAM;AAClC,YAAM,SAAS,cAAc,QAAQ,EAAE,IAAoC;AAC3E,YAAM,SAAS,cAAc,QAAQ,EAAE,IAAoC;AAC3E,aAAO,SAAS;AAAA,IAClB,CAAC;AAAA,EACH;AAAA,EAEQ,cAAc,SAAmC;AACvD,UAAM,QAAQ,QAAQ,MAAM,IAAI,CAAC,SAAS,KAAK,KAAK,oBAAoB,IAAI,CAAC,EAAE,EAAE,KAAK,IAAI;AAC1F,WAAO,OAAO,QAAQ,IAAI;AAAA;AAAA,EAAO,KAAK;AAAA,EACxC;AAAA;AAAA;AAAA;AAAA,EAKQ,oBAAoB,MAAsB;AAChD,QAAI,CAAC,KAAK,OAAO,QAAS,QAAO;AAEjC,UAAM,UAAU,KAAK,OAAO,QAAQ,QAAQ,OAAO,EAAE;AAIrD,WAAO,KAAK,QAAQ,sBAAsB,CAAC,UAAU;AACnD,aAAO,IAAI,KAAK,KAAK,OAAO,WAAW,KAAK;AAAA,IAC9C,CAAC;AAAA,EACH;AAAA;AAAA;AAAA;AAAA,EAKA,OAAO,WAA+B,SAAkB,UAAsC;AAC5F,UAAM,WAAW,KAAK,KAAK;AAE3B,QAAI,CAAC,UAAU;AAEb,YAAMI,YAAW,KAAK,YAAY,WAAW,SAAS,QAAQ;AAC9D,aAAO,wBAAwBA,YAAW;AAAA,IAC5C;AAGA,UAAM,QAAQ,SAAS,MAAM,IAAI;AACjC,QAAI,cAAc;AAGlB,aAAS,IAAI,GAAG,IAAI,MAAM,QAAQ,KAAK;AACrC,YAAM,OAAO,MAAM,CAAC;AACpB,UAAI,KAAK,WAAW,iBAAiB,GAAG;AAEtC,cAAM,WAAW,KAAK,eAAe,OAAO,IAAI,CAAC;AACjD,cAAM,uBAAuB,MAAM,MAAM,GAAG,QAAQ;AACpD,cAAM,gBAAgB,KAAK,uBAAuB,sBAAsB,WAAW,QAAQ;AAC3F,cAAMC,UAAS,MAAM,MAAM,GAAG,CAAC,EAAE,KAAK,IAAI;AAC1C,cAAMC,SAAQ,MAAM,MAAM,QAAQ,EAAE,KAAK,IAAI;AAC7C,eAAOD,WAAUA,QAAO,SAAS,IAAI,IAAI,KAAK,QAAQ,gBAAgB,OAAOC;AAAA,MAC/E;AACA,UAAI,KAAK,WAAW,MAAM,KAAK,gBAAgB,IAAI;AACjD,sBAAc;AACd;AAAA,MACF;AAAA,IACF;AAEA,UAAM,WAAW,KAAK,YAAY,WAAW,SAAS,QAAQ;AAE9D,QAAI,gBAAgB,IAAI;AAEtB,aAAO,SAAS,QAAQ,IAAI,SAAS,WAAW;AAAA,IAClD;AAGA,UAAM,SAAS,MAAM,MAAM,GAAG,WAAW,EAAE,KAAK,IAAI;AACpD,UAAM,QAAQ,MAAM,MAAM,WAAW,EAAE,KAAK,IAAI;AAChD,WAAO,UAAU,OAAO,SAAS,IAAI,IAAI,KAAK,QAAQ,WAAW,SAAS;AAAA,EAC5E;AAAA;AAAA;AAAA;AAAA,EAKQ,uBACN,eACA,WACA,UACQ;AAER,UAAM,mBAA0C,oBAAI,IAAI;AACxD,QAAI,iBAAgC;AAEpC,eAAW,QAAQ,eAAe;AAChC,UAAI,KAAK,WAAW,MAAM,GAAG;AAC3B,yBAAiB,KAAK,MAAM,CAAC,EAAE,KAAK;AACpC,YAAI,CAAC,iBAAiB,IAAI,cAAc,GAAG;AACzC,2BAAiB,IAAI,gBAAgB,CAAC,CAAC;AAAA,QACzC;AAAA,MACF,WAAW,kBAAkB,KAAK,WAAW,IAAI,GAAG;AAClD,yBAAiB,IAAI,cAAc,EAAG,KAAK,KAAK,MAAM,CAAC,CAAC;AAAA,MAC1D;AAAA,IACF;AAGA,eAAW,WAAW,UAAU,UAAU;AACxC,YAAM,WAAW,iBAAiB,IAAI,QAAQ,IAAI,KAAK,CAAC;AAExD,iBAAW,QAAQ,QAAQ,OAAO;AAChC,YAAI,CAAC,SAAS,SAAS,IAAI,GAAG;AAC5B,mBAAS,KAAK,IAAI;AAAA,QACpB;AAAA,MACF;AACA,uBAAiB,IAAI,QAAQ,MAAM,QAAQ;AAAA,IAC7C;AAGA,UAAM,aAAa;AACnB,UAAM,cAAwB,CAAC,OAAO,UAAU,GAAG;AAEnD,QAAI,KAAK,OAAO,aAAa;AAC3B,YAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAI,UAAU,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAC5C,UAAI,KAAK,OAAO,aAAa;AAC3B,cAAM,UAAU,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAC3D,mBAAW,IAAI,OAAO;AAAA,MACxB;AACA,kBAAY,KAAK,KAAK,OAAO,EAAE;AAAA,IACjC;AAEA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,kBAAY,KAAK,MAAM,SAAS,MAAM,EAAE;AAAA,IAC1C;AAEA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,YAAM,YAAY,SAAS,WAAW,MAAM,GAAG,CAAC;AAChD,UAAI,KAAK,OAAO,SAAS;AACvB,cAAM,YAAY,GAAG,KAAK,OAAO,QAAQ,QAAQ,OAAO,EAAE,CAAC,WAAW,SAAS,UAAU;AACzF,oBAAY,KAAK,KAAK,SAAS,KAAK,SAAS,IAAI;AAAA,MACnD,OAAO;AACL,oBAAY,KAAK,IAAI,SAAS,GAAG;AAAA,MACnC;AAAA,IACF;AAEA,UAAM,aAAa,YAAY,KAAK,GAAG;AAGvC,UAAM,iBAAqC,CAAC;AAC5C,eAAW,QAAQ,eAAe;AAChC,YAAM,QAAQ,iBAAiB,IAAI,IAAI;AACvC,UAAI,SAAS,MAAM,SAAS,GAAG;AAC7B,uBAAe,KAAK,EAAE,MAAM,MAAM,CAAC;AAAA,MACrC;AAAA,IACF;AAEA,UAAM,eAAe,eAClB,IAAI,CAAC,YAAY,KAAK,cAAc,OAAO,CAAC,EAC5C,KAAK,MAAM;AAEd,WAAO,GAAG,UAAU;AAAA;AAAA,EAAO,YAAY;AAAA,EACzC;AAAA,EAEQ,eAAe,OAAiB,YAA4B;AAClE,aAAS,IAAI,YAAY,IAAI,MAAM,QAAQ,KAAK;AAC9C,UAAI,MAAM,CAAC,EAAE,WAAW,MAAM,GAAG;AAC/B,eAAO;AAAA,MACT;AAAA,IACF;AACA,WAAO,MAAM;AAAA,EACf;AAAA;AAAA;AAAA;AAAA,EAKA,MAAM,SAAuB;AAC3B,IAAAL,eAAc,KAAK,UAAU,SAAS,OAAO;AAAA,EAC/C;AAAA;AAAA;AAAA;AAAA,EAKA,cAAsB;AACpB,WAAO,KAAK;AAAA,EACd;AAAA;AAAA;AAAA;AAAA,EAKA,kBAAiC;AAC/B,QAAI,CAAC,KAAK,OAAO,SAAU,QAAO;AAClC,WAAOE,SAAQ,QAAQ,IAAI,GAAG,KAAK,OAAO,QAAQ;AAAA,EACpD;AAAA;AAAA;AAAA;AAAA,EAKA,WAAiC;AAC/B,UAAM,WAAW,KAAK,gBAAgB;AACtC,QAAI,CAAC,YAAY,CAACD,YAAW,QAAQ,GAAG;AACtC,aAAO;AAAA,IACT;AACA,QAAI;AACF,YAAM,UAAUF,cAAa,UAAU,OAAO;AAC9C,aAAO,KAAK,MAAM,OAAO;AAAA,IAC3B,QAAQ;AACN,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA;AAAA;AAAA,EAKA,kBAAkB,WAA+B,SAAkB,UAAoD;AACrH,UAAM,MAAM,UAAU,aAAa,oBAAI,KAAK;AAC5C,UAAM,WAAqC,CAAC;AAE5C,eAAW,WAAW,UAAU,UAAU;AACxC,eAAS,QAAQ,IAAI,IAAI,QAAQ;AAAA,IACnC;AAEA,UAAM,UAAgC;AAAA,MACpC,SAAS,WAAW;AAAA,MACpB,MAAM,IAAI,YAAY,EAAE,MAAM,GAAG,EAAE,CAAC;AAAA,MACpC;AAAA,IACF;AAEA,QAAI,KAAK,OAAO,aAAa;AAC3B,cAAQ,OAAO,IAAI,aAAa,EAAE,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,GAAG,CAAC;AAAA,IAC5D;AAEA,QAAI,KAAK,OAAO,iBAAiB,UAAU,QAAQ;AACjD,cAAQ,SAAS,SAAS;AAAA,IAC5B;AAEA,QAAI,KAAK,OAAO,qBAAqB,UAAU,YAAY;AACzD,cAAQ,aAAa,SAAS;AAAA,IAChC;AAEA,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,WAAW,WAA+B,SAAkB,UAA6C;AACvG,UAAM,aAAa,KAAK,kBAAkB,WAAW,SAAS,QAAQ;AACtE,UAAM,WAAW,KAAK,SAAS;AAE/B,QAAI,CAAC,UAAU;AACb,aAAO,EAAE,UAAU,CAAC,UAAU,EAAE;AAAA,IAClC;AAGA,UAAM,kBAAkB,SAAS,SAAS,UAAU,OAAK,EAAE,YAAY,YAAY;AAEnF,QAAI,mBAAmB,KAAK,WAAW,YAAY,cAAc;AAE/D,YAAM,kBAAkB,SAAS,SAAS,eAAe;AACzD,iBAAW,CAAC,MAAM,KAAK,KAAK,OAAO,QAAQ,WAAW,QAAQ,GAAG;AAC/D,cAAM,gBAAgB,gBAAgB,SAAS,IAAI,KAAK,CAAC;AACzD,mBAAW,QAAQ,OAAO;AACxB,cAAI,CAAC,cAAc,SAAS,IAAI,GAAG;AACjC,0BAAc,KAAK,IAAI;AAAA,UACzB;AAAA,QACF;AACA,wBAAgB,SAAS,IAAI,IAAI;AAAA,MACnC;AAEA,sBAAgB,OAAO,WAAW;AAClC,UAAI,WAAW,KAAM,iBAAgB,OAAO,WAAW;AACvD,UAAI,WAAW,OAAQ,iBAAgB,SAAS,WAAW;AAC3D,UAAI,WAAW,WAAY,iBAAgB,aAAa,WAAW;AAAA,IACrE,OAAO;AAEL,eAAS,SAAS,QAAQ,UAAU;AAAA,IACtC;AAEA,WAAO;AAAA,EACT;AAAA;AAAA;AAAA;AAAA,EAKA,UAAU,MAA2B;AACnC,UAAM,WAAW,KAAK,gBAAgB;AACtC,QAAI,CAAC,SAAU;AACf,IAAAC,eAAc,UAAU,KAAK,UAAU,MAAM,MAAM,CAAC,GAAG,OAAO;AAAA,EAChE;AACF;;;AJrbA,IAAM,YAAY,QAAQ,cAAc,YAAY,GAAG,CAAC;AACxD,IAAM,MAAM,KAAK,MAAMM,cAAaC,SAAQ,WAAW,iBAAiB,GAAG,OAAO,CAAC;AA2BnF,SAAS,iBAAyB;AAChC,QAAM,UAAUC,SAAQ,QAAQ,IAAI,GAAG,cAAc;AAErD,MAAI,CAACC,YAAW,OAAO,GAAG;AACxB,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,aAAa,KAAK,MAAMC,cAAa,SAAS,OAAO,CAAC;AAC5D,WAAO,WAAW,WAAW;AAAA,EAC/B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAOA,SAAS,sBAAsB,aAAqB,OAAuB;AACzE,QAAM,CAAC,KAAK,IAAI,YAAY,MAAM,GAAG,EAAE,IAAI,MAAM;AACjD,SAAO,GAAG,KAAK,IAAI,KAAK;AAC1B;AAKA,SAAS,mBAAmB,SAA2C;AACrE,QAAM,UAA8B,oBAAI,IAAI;AAE5C,aAAW,UAAU,SAAS;AAE5B,UAAM,OAAO,OAAO,KAAK,MAAM,GAAG,EAAE,CAAC;AAErC,QAAI,CAAC,QAAQ,IAAI,IAAI,GAAG;AACtB,cAAQ,IAAI,MAAM,CAAC,CAAC;AAAA,IACtB;AACA,YAAQ,IAAI,IAAI,EAAG,KAAK,MAAM;AAAA,EAChC;AAEA,SAAO;AACT;AAEA,IAAM,UAAU,IAAI,QAAQ;AAE5B,QACG,KAAK,eAAe,EACpB,YAAY,iDAAiD,EAC7D,QAAQ,IAAI,OAAO;AAEtB,QACG,QAAQ,MAAM,EACd,YAAY,qCAAqC,EACjD,OAAO,qBAAqB,oBAAoB,oBAAoB,EACpE,OAAO,CAAC,YAA8B;AACrC,MAAI;AACF,UAAM,SAAS,WAAW,QAAQ,IAAI;AACtC,YAAQ,IAAI,wBAAwB,OAAO,UAAU,EAAE;AAEvD,QAAI,OAAO,iBAAiB;AAC1B,cAAQ,IAAI,0BAA0B,OAAO,SAAS,EAAE;AAAA,IAC1D;AAEA,YAAQ,IAAI,eAAe;AAC3B,YAAQ,IAAI,oDAAoD;AAChE,YAAQ,IAAI,iDAAiD;AAC7D,QAAI,CAAC,OAAO,iBAAiB;AAC3B,cAAQ,IAAI,oCAAoC;AAAA,IAClD;AAAA,EACF,SAAS,OAAO;AACd,YAAQ,MAAM,UAAU,iBAAiB,QAAQ,MAAM,UAAU,KAAK;AACtE,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAEH,QACG,QAAQ,YAAY,EAAE,WAAW,KAAK,CAAC,EACvC,YAAY,0DAA0D,EACtE,OAAO,uBAAuB,qBAAqB,EACnD,OAAO,iBAAiB,iCAAiC,EACzD,OAAO,iBAAiB,uBAAuB,EAC/C,OAAO,0BAA0B,0DAA0D,QAAQ,EACnG,OAAO,uBAAuB,0FAA0F,EACxH,OAAO,GAAG;AAEb,eAAe,IAAI,SAAoC;AACrD,QAAM,UAAU,QAAQ,WAAW;AAEnC,MAAI;AAEF,QAAI,QAAS,SAAQ,IAAI,0BAA0B;AACnD,UAAM,SAAS,WAAW,QAAQ,MAAM;AACxC,QAAI,QAAS,SAAQ,IAAI,kBAAkB,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAG1E,UAAM,MAAM,IAAI,WAAW,OAAO,GAAG;AACrC,UAAM,KAAK,IAAI,UAAU,OAAO,EAAE;AAClC,UAAM,YAAY,IAAI,iBAAiB,OAAO,SAAS;AAGvD,QAAI,CAAE,MAAM,IAAI,UAAU,GAAI;AAC5B,cAAQ,MAAM,6BAA6B;AAC3C,cAAQ,KAAK,CAAC;AAAA,IAChB;AAEA,QAAI,QAAQ,aAAa;AAEvB,UAAI,QAAS,SAAQ,IAAI,gBAAgB,QAAQ,WAAW,aAAa;AACzE,YAAM,UAAU,MAAM,IAAI,iBAAiB,QAAQ,WAAW;AAE9D,UAAI,QAAQ,WAAW,GAAG;AACxB,gBAAQ,IAAI,mBAAmB;AAC/B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,UAAI,QAAS,SAAQ,IAAI,SAAS,QAAQ,MAAM,UAAU;AAG1D,YAAM,gBAAgB,mBAAmB,OAAO;AAChD,YAAM,cAAc,CAAC,GAAG,cAAc,KAAK,CAAC,EAAE,KAAK;AAEnD,UAAI,SAAS;AACX,gBAAQ,IAAI,gBAAgB,YAAY,MAAM,WAAW;AACzD,mBAAW,QAAQ,aAAa;AAC9B,gBAAM,cAAc,cAAc,IAAI,IAAI;AAC1C,kBAAQ,IAAI,KAAK,IAAI,KAAK,YAAY,MAAM,YAAY;AAAA,QAC1D;AAAA,MACF;AAGA,YAAM,cAAc,eAAe;AACnC,UAAI,QAAS,SAAQ,IAAI,iBAAiB,WAAW,EAAE;AAGvD,YAAM,UAA4B,CAAC;AACnC,YAAM,cAAc,EAAE,OAAO,CAAC,GAAG,MAAM,GAAG;AAE1C,eAAS,IAAI,GAAG,IAAI,YAAY,QAAQ,KAAK;AAC3C,cAAM,OAAO,YAAY,CAAC;AAC1B,cAAM,cAAc,cAAc,IAAI,IAAI;AAC1C,cAAM,UAAU,sBAAsB,aAAa,IAAI,CAAC;AAExD,YAAI,QAAS,SAAQ,IAAI;AAAA,2BAA8B,IAAI,KAAK,OAAO,MAAM;AAC7E,gBAAQ,IAAI,4BAA4B,IAAI,KAAK;AAEjD,cAAM,YAAY,MAAM,GAAG,kBAAkB,aAAa,WAAW;AAErE,YAAI,UAAU,SAAS,WAAW,GAAG;AACnC,cAAI,QAAS,SAAQ,IAAI,8BAA8B,IAAI,aAAa;AACxE;AAAA,QACF;AAEA,YAAI,SAAS;AACX,kBAAQ,IAAI,4BAA4B,IAAI,GAAG;AAC/C,qBAAW,WAAW,UAAU,UAAU;AACxC,oBAAQ,IAAI,OAAO,QAAQ,IAAI,GAAG;AAClC,uBAAW,QAAQ,QAAQ,OAAO;AAChC,sBAAQ,IAAI,WAAW,IAAI,EAAE;AAAA,YAC/B;AAAA,UACF;AAAA,QACF;AAEA,gBAAQ,KAAK,EAAE,SAAS,MAAM,UAAU,CAAC;AAAA,MAC3C;AAEA,UAAI,QAAQ,WAAW,GAAG;AACxB,gBAAQ,IAAI,iCAAiC;AAC7C,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAGA,cAAQ,QAAQ;AAEhB,UAAI,QAAQ,QAAQ;AAClB,gBAAQ,IAAI,mBAAmB;AAC/B,gBAAQ,IAAI,8BAA8B,UAAU,YAAY,CAAC;AACjE,YAAI,UAAU,gBAAgB,GAAG;AAC/B,kBAAQ,IAAI,yBAAyB,UAAU,gBAAgB,CAAC;AAAA,QAClE;AACA,gBAAQ,IAAI;AAAA,MAAS,QAAQ,MAAM;AAAA,CAAmC;AACtE,gBAAQ,IAAI,UAAU,sBAAsB,OAAO,CAAC;AACpD,gBAAQ,IAAI,yBAAyB;AACrC,mBAAW,SAAS,SAAS;AAC3B,kBAAQ,IAAI,KAAK,UAAU,EAAE,SAAS,MAAM,SAAS,MAAM,MAAM,KAAK,GAAG,MAAM,CAAC,CAAC;AAAA,QACnF;AACA,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAGA,YAAM,aAAa,UAAU,0BAA0B,OAAO;AAC9D,gBAAU,MAAM,UAAU;AAC1B,cAAQ,IAAI,YAAY,UAAU,YAAY,CAAC,EAAE;AAGjD,UAAI,UAAU,gBAAgB,GAAG;AAC/B,cAAM,WAAW,UAAU,8BAA8B,OAAO;AAChE,kBAAU,UAAU,QAAQ;AAC5B,gBAAQ,IAAI,YAAY,UAAU,gBAAgB,CAAC,EAAE;AAAA,MACvD;AAEA,cAAQ,IAAI,iBAAiB,QAAQ,MAAM,mBAAmB;AAAA,IAEhE,OAAO;AAEL,UAAI,QAAS,SAAQ,IAAI,2BAA2B;AACpD,YAAM,SAAS,MAAM,IAAI,iBAAiB;AAE1C,UAAI,OAAO,MAAM,WAAW,GAAG;AAC7B,gBAAQ,IAAI,oDAAoD;AAChE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,UAAI,SAAS;AACX,gBAAQ,IAAI,iBAAiB,OAAO,MAAM,KAAK,IAAI,CAAC,EAAE;AACtD,gBAAQ,IAAI,gBAAgB,OAAO,KAAK,MAAM,QAAQ;AAAA,MACxD;AAGA,UAAI,QAAS,SAAQ,IAAI,2BAA2B;AACpD,YAAM,UAAU,MAAM,IAAI,mBAAmB;AAC7C,UAAI,QAAS,SAAQ,IAAI,SAAS,QAAQ,MAAM,mBAAmB;AAGnE,cAAQ,IAAI,iCAAiC;AAC7C,YAAM,YAAY,MAAM,GAAG,kBAAkB,SAAS,MAAM;AAE5D,UAAI,UAAU,SAAS,WAAW,GAAG;AACnC,gBAAQ,IAAI,iCAAiC;AAC7C,YAAI,QAAS,SAAQ,IAAI,oBAAoB,UAAU,GAAG;AAC1D,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,UAAI,SAAS;AACX,gBAAQ,IAAI,qBAAqB;AACjC,mBAAW,WAAW,UAAU,UAAU;AACxC,kBAAQ,IAAI,KAAK,QAAQ,IAAI,GAAG;AAChC,qBAAW,QAAQ,QAAQ,OAAO;AAChC,oBAAQ,IAAI,SAAS,IAAI,EAAE;AAAA,UAC7B;AAAA,QACF;AAAA,MACF;AAGA,YAAM,CAAC,QAAQ,UAAU,IAAI,MAAM,QAAQ,IAAI;AAAA,QAC7C,IAAI,eAAe;AAAA,QACnB,IAAI,cAAc;AAAA,MACpB,CAAC;AACD,YAAM,WAA8B;AAAA,QAClC,QAAQ,UAAU;AAAA,QAClB,YAAY,cAAc;AAAA,QAC1B,WAAW,oBAAI,KAAK;AAAA,MACtB;AAEA,UAAI,SAAS;AACX,gBAAQ,IAAI,aAAa,QAAQ;AAAA,MACnC;AAGA,YAAM,UAAU,QAAQ;AAGxB,YAAM,aAAa,UAAU,OAAO,WAAW,SAAS,QAAQ;AAGhE,YAAM,WAAW,UAAU,WAAW,WAAW,SAAS,QAAQ;AAElE,UAAI,QAAQ,QAAQ;AAClB,gBAAQ,IAAI,mBAAmB;AAC/B,gBAAQ,IAAI,8BAA8B,UAAU,YAAY,CAAC;AACjE,YAAI,UAAU,gBAAgB,GAAG;AAC/B,kBAAQ,IAAI,yBAAyB,UAAU,gBAAgB,CAAC;AAAA,QAClE;AACA,gBAAQ,IAAI,wBAAwB;AACpC,gBAAQ,IAAI,UAAU,YAAY,WAAW,SAAS,QAAQ,CAAC;AAC/D,gBAAQ,IAAI,0BAA0B;AACtC,gBAAQ,IAAI,KAAK,UAAU,SAAS,SAAS,CAAC,GAAG,MAAM,CAAC,CAAC;AACzD,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAGA,gBAAU,MAAM,UAAU;AAC1B,cAAQ,IAAI,YAAY,UAAU,YAAY,CAAC,EAAE;AAGjD,UAAI,UAAU,gBAAgB,GAAG;AAC/B,kBAAU,UAAU,QAAQ;AAC5B,gBAAQ,IAAI,YAAY,UAAU,gBAAgB,CAAC,EAAE;AAAA,MACvD;AAGA,YAAM,IAAI,UAAU,OAAO,UAAU,IAAI;AACzC,UAAI,OAAO,UAAU,UAAU;AAC7B,cAAM,IAAI,UAAU,OAAO,UAAU,QAAQ;AAAA,MAC/C;AACA,cAAQ,IAAI,wBAAwB;AAEpC,cAAQ,IAAI,OAAO;AAAA,IACrB;AAAA,EACF,SAAS,OAAO;AACd,YAAQ,MAAM,UAAU,iBAAiB,QAAQ,MAAM,UAAU,KAAK;AACtE,QAAI,WAAW,iBAAiB,OAAO;AACrC,cAAQ,MAAM,MAAM,KAAK;AAAA,IAC3B;AACA,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF;AAEA,QAAQ,MAAM;","names":["readFileSync","existsSync","resolve","config","readFileSync","writeFileSync","existsSync","resolve","newEntry","before","after","readFileSync","resolve","resolve","existsSync","readFileSync"]}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "tst-changelog",
3
- "version": "0.2.0",
3
+ "version": "0.4.0",
4
4
  "description": "AI-powered changelog generator using OpenRouter",
5
5
  "type": "module",
6
6
  "main": "./dist/index.js",