codesummary 1.0.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/src/cli.js ADDED
@@ -0,0 +1,392 @@
1
+ import inquirer from 'inquirer';
2
+ import chalk from 'chalk';
3
+ import path from 'path';
4
+ import fs from 'fs-extra';
5
+ import ora from 'ora';
6
+
7
+ import ConfigManager from './configManager.js';
8
+ import Scanner from './scanner.js';
9
+ import PDFGenerator from './pdfGenerator.js';
10
+ import ErrorHandler from './errorHandler.js';
11
+
12
+ /**
13
+ * Command Line Interface for CodeSummary
14
+ * Handles user interaction and orchestrates the scanning and PDF generation process
15
+ */
16
+ export class CLI {
17
+ constructor() {
18
+ this.configManager = new ConfigManager();
19
+ this.config = null;
20
+ this.scanner = null;
21
+ this.pdfGenerator = null;
22
+ }
23
+
24
+ /**
25
+ * Main entry point for CLI execution
26
+ * @param {Array} args - Command line arguments
27
+ */
28
+ async run(args = []) {
29
+ try {
30
+ // Parse command line arguments
31
+ const options = this.parseArguments(args);
32
+
33
+ // Handle special commands
34
+ if (options.showConfig) {
35
+ await this.showConfig();
36
+ return;
37
+ }
38
+
39
+ if (options.resetConfig) {
40
+ await this.resetConfig();
41
+ return;
42
+ }
43
+
44
+ if (options.config) {
45
+ await this.editConfig();
46
+ return;
47
+ }
48
+
49
+ // Main scanning and PDF generation flow
50
+ await this.executeMainFlow(options);
51
+
52
+ } catch (error) {
53
+ ErrorHandler.handleError(error, 'CLI Operation');
54
+ }
55
+ }
56
+
57
+ /**
58
+ * Parse command line arguments
59
+ * @param {Array} args - Raw arguments
60
+ * @returns {object} Parsed options
61
+ */
62
+ parseArguments(args) {
63
+ const options = {
64
+ output: null,
65
+ showConfig: false,
66
+ resetConfig: false,
67
+ config: false,
68
+ help: false,
69
+ noInteractive: false
70
+ };
71
+
72
+ for (let i = 0; i < args.length; i++) {
73
+ const arg = args[i];
74
+
75
+ switch (arg) {
76
+ case '--output':
77
+ case '-o':
78
+ options.output = args[++i];
79
+ break;
80
+ case '--show-config':
81
+ options.showConfig = true;
82
+ break;
83
+ case '--reset-config':
84
+ options.resetConfig = true;
85
+ break;
86
+ case 'config':
87
+ options.config = true;
88
+ break;
89
+ case '--help':
90
+ case '-h':
91
+ options.help = true;
92
+ break;
93
+ case '--no-interactive':
94
+ options.noInteractive = true;
95
+ break;
96
+ default:
97
+ if (arg.startsWith('-')) {
98
+ throw new Error(`Unknown option: ${arg}`);
99
+ }
100
+ }
101
+ }
102
+
103
+ if (options.help) {
104
+ this.showHelp();
105
+ process.exit(0);
106
+ }
107
+
108
+ return options;
109
+ }
110
+
111
+ /**
112
+ * Execute the main scanning and PDF generation flow
113
+ * @param {object} options - Parsed command line options
114
+ */
115
+ async executeMainFlow(options) {
116
+ // Load or create configuration
117
+ this.config = await this.loadConfiguration();
118
+
119
+ // Initialize components
120
+ this.scanner = new Scanner(this.config);
121
+ this.pdfGenerator = new PDFGenerator(this.config);
122
+
123
+ // Determine scan path (default: current working directory)
124
+ const scanPath = process.cwd();
125
+ const projectName = path.basename(scanPath);
126
+
127
+ console.log(chalk.cyan(`CodeSummary - Scanning project: ${chalk.bold(projectName)}\n`));
128
+
129
+ // Scan directory
130
+ const spinner = ora('Scanning directory structure...').start();
131
+ const filesByExtension = await this.scanner.scanDirectory(scanPath);
132
+ spinner.succeed('Directory scan completed');
133
+
134
+ // Check if any supported files were found
135
+ if (Object.keys(filesByExtension).length === 0) {
136
+ console.log(chalk.red('ERROR: No supported files found. Nothing to document.'));
137
+ process.exit(1);
138
+ }
139
+
140
+ // Display scan summary
141
+ this.scanner.displayScanSummary(filesByExtension);
142
+
143
+ // Let user select extensions to include
144
+ const selectedExtensions = await this.selectExtensions(filesByExtension);
145
+
146
+ if (selectedExtensions.length === 0) {
147
+ console.log(chalk.yellow('WARNING: No extensions selected. Exiting.'));
148
+ process.exit(0);
149
+ }
150
+
151
+ // Check file count threshold
152
+ const totalFiles = this.calculateTotalFiles(filesByExtension, selectedExtensions);
153
+ await this.checkFileCountThreshold(totalFiles);
154
+
155
+ // Determine output path
156
+ const outputPath = this.determineOutputPath(options.output, projectName);
157
+
158
+ // Ensure output directory exists
159
+ await PDFGenerator.ensureOutputDirectory(path.dirname(outputPath));
160
+
161
+ // Generate PDF
162
+ const generationSpinner = ora('Generating PDF document...').start();
163
+ const result = await this.pdfGenerator.generatePDF(
164
+ filesByExtension,
165
+ selectedExtensions,
166
+ outputPath,
167
+ projectName
168
+ );
169
+ generationSpinner.succeed('PDF generation completed');
170
+
171
+ // Display success summary
172
+ await this.displayCompletionSummary(result.outputPath, selectedExtensions, totalFiles, result.pageCount);
173
+ }
174
+
175
+ /**
176
+ * Load configuration (with first-run setup if needed)
177
+ * @returns {object} Configuration object
178
+ */
179
+ async loadConfiguration() {
180
+ let config = await this.configManager.loadConfig();
181
+
182
+ if (!config) {
183
+ // First run - trigger setup wizard
184
+ config = await this.configManager.runFirstTimeSetup();
185
+ } else {
186
+ console.log(chalk.gray(`Using configuration from ${this.configManager.configPath}`));
187
+ }
188
+
189
+ return config;
190
+ }
191
+
192
+ /**
193
+ * Let user select which extensions to include
194
+ * @param {object} filesByExtension - Available files by extension
195
+ * @returns {Array} Selected extensions
196
+ */
197
+ async selectExtensions(filesByExtension) {
198
+ const extensionInfo = this.scanner.getExtensionInfo(filesByExtension);
199
+
200
+ const choices = extensionInfo.map(info => ({
201
+ name: `${info.extension} → ${info.description} (${info.count} files)`,
202
+ value: info.extension,
203
+ checked: true // Pre-select all detected extensions
204
+ }));
205
+
206
+ const { selectedExtensions } = await inquirer.prompt([{
207
+ type: 'checkbox',
208
+ name: 'selectedExtensions',
209
+ message: 'Select file extensions to include:',
210
+ choices,
211
+ validate: (answer) => {
212
+ if (answer.length === 0) {
213
+ return 'You must select at least one extension.';
214
+ }
215
+ return true;
216
+ }
217
+ }]);
218
+
219
+ return selectedExtensions;
220
+ }
221
+
222
+ /**
223
+ * Calculate total files for selected extensions
224
+ * @param {object} filesByExtension - Files by extension
225
+ * @param {Array} selectedExtensions - Selected extensions
226
+ * @returns {number} Total file count
227
+ */
228
+ calculateTotalFiles(filesByExtension, selectedExtensions) {
229
+ return selectedExtensions.reduce((total, ext) => {
230
+ return total + (filesByExtension[ext]?.length || 0);
231
+ }, 0);
232
+ }
233
+
234
+ /**
235
+ * Check if file count exceeds threshold and prompt user
236
+ * @param {number} totalFiles - Total file count
237
+ */
238
+ async checkFileCountThreshold(totalFiles) {
239
+ if (totalFiles > this.config.settings.maxFilesBeforePrompt) {
240
+ console.log(chalk.yellow(`WARNING: Found ${totalFiles} files. Generating the PDF may take a while.`));
241
+
242
+ const { shouldContinue } = await inquirer.prompt([{
243
+ type: 'confirm',
244
+ name: 'shouldContinue',
245
+ message: 'Do you want to continue?',
246
+ default: true
247
+ }]);
248
+
249
+ if (!shouldContinue) {
250
+ console.log(chalk.gray('Operation cancelled by user.'));
251
+ process.exit(0);
252
+ }
253
+ }
254
+ }
255
+
256
+ /**
257
+ * Determine final output path for PDF
258
+ * @param {string} overridePath - Optional override path from CLI
259
+ * @param {string} projectName - Project name
260
+ * @returns {string} Final output path
261
+ */
262
+ determineOutputPath(overridePath, projectName) {
263
+ let outputDir;
264
+
265
+ if (overridePath) {
266
+ // Validate and sanitize override path from CLI
267
+ const sanitizedPath = ErrorHandler.sanitizeInput(overridePath);
268
+ ErrorHandler.validatePath(sanitizedPath, { preventTraversal: true });
269
+
270
+ outputDir = path.resolve(sanitizedPath);
271
+ console.log(chalk.gray(`PDF will be saved to: ${outputDir}`));
272
+ } else {
273
+ // Use config settings
274
+ if (this.config.output.mode === 'relative') {
275
+ outputDir = process.cwd();
276
+ } else {
277
+ outputDir = path.resolve(this.config.output.fixedPath);
278
+ }
279
+ }
280
+
281
+ // Sanitize project name for filename
282
+ const sanitizedProjectName = ErrorHandler.sanitizeInput(projectName);
283
+
284
+ return PDFGenerator.generateOutputPath(sanitizedProjectName, outputDir);
285
+ }
286
+
287
+ /**
288
+ * Display completion summary
289
+ * @param {string} outputPath - Generated PDF path
290
+ * @param {Array} selectedExtensions - Selected extensions
291
+ * @param {number} totalFiles - Total files processed
292
+ * @param {number|string} pageCount - Number of pages in PDF or 'N/A'
293
+ */
294
+ async displayCompletionSummary(outputPath, selectedExtensions, totalFiles, pageCount) {
295
+ // Get PDF stats
296
+ const stats = await fs.stat(outputPath);
297
+ const fileSizeFormatted = this.formatFileSize(stats.size);
298
+
299
+ console.log(chalk.green('\nSUCCESS: PDF generation completed successfully!\n'));
300
+ console.log(chalk.cyan('Summary:'));
301
+ console.log(chalk.gray(` Output: ${outputPath}`));
302
+ console.log(chalk.gray(` Extensions: ${selectedExtensions.join(', ')}`));
303
+ console.log(chalk.gray(` Total files: ${totalFiles}`));
304
+ if (pageCount !== 'N/A') {
305
+ console.log(chalk.gray(` Total pages: ${pageCount}`));
306
+ }
307
+ console.log(chalk.gray(` PDF size: ${fileSizeFormatted}`));
308
+ console.log();
309
+ }
310
+
311
+ /**
312
+ * Show current configuration
313
+ */
314
+ async showConfig() {
315
+ const config = await this.configManager.loadConfig();
316
+ if (config) {
317
+ this.configManager.displayConfig(config);
318
+ } else {
319
+ console.log(chalk.yellow('WARNING: No configuration found. Run codesummary to set up.'));
320
+ }
321
+ }
322
+
323
+ /**
324
+ * Reset configuration
325
+ */
326
+ async resetConfig() {
327
+ await this.configManager.resetConfig();
328
+ console.log(chalk.green('SUCCESS: Configuration reset. Run codesummary to set up again.'));
329
+ }
330
+
331
+ /**
332
+ * Edit configuration interactively
333
+ */
334
+ async editConfig() {
335
+ let config = await this.configManager.loadConfig();
336
+
337
+ if (!config) {
338
+ console.log(chalk.yellow('WARNING: No configuration found. Running first-time setup...'));
339
+ config = await this.configManager.runFirstTimeSetup();
340
+ } else {
341
+ config = await this.configManager.editConfig(config);
342
+ }
343
+ }
344
+
345
+ /**
346
+ * Format file size in human readable format
347
+ * @param {number} bytes - Size in bytes
348
+ * @returns {string} Formatted size
349
+ */
350
+ formatFileSize(bytes) {
351
+ const units = ['B', 'KB', 'MB', 'GB'];
352
+ let size = bytes;
353
+ let unitIndex = 0;
354
+
355
+ while (size >= 1024 && unitIndex < units.length - 1) {
356
+ size /= 1024;
357
+ unitIndex++;
358
+ }
359
+
360
+ return `${size.toFixed(1)} ${units[unitIndex]}`;
361
+ }
362
+
363
+ /**
364
+ * Show help information
365
+ */
366
+ showHelp() {
367
+ console.log(chalk.cyan('\nCodeSummary - Generate PDF documentation from source code\n'));
368
+
369
+ console.log(chalk.white('Usage:'));
370
+ console.log(' codesummary [options] Scan current directory and generate PDF');
371
+ console.log(' codesummary config Edit configuration settings');
372
+ console.log();
373
+
374
+ console.log(chalk.white('Options:'));
375
+ console.log(' -o, --output <path> Override output directory');
376
+ console.log(' --show-config Display current configuration');
377
+ console.log(' --reset-config Reset configuration to defaults');
378
+ console.log(' -h, --help Show this help message');
379
+ console.log();
380
+
381
+ console.log(chalk.white('Examples:'));
382
+ console.log(' codesummary Scan current project');
383
+ console.log(' codesummary --output ./docs Save PDF to ./docs folder');
384
+ console.log(' codesummary config Edit settings');
385
+ console.log(' codesummary --show-config View current settings');
386
+ console.log();
387
+
388
+ console.log(chalk.gray('For more information, visit: https://github.com/skamoll/CodeSummary'));
389
+ }
390
+ }
391
+
392
+ export default CLI;