scai 0.1.5 → 0.1.7

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/README.md CHANGED
@@ -1,29 +1,120 @@
1
- # scai — Smart Commit AI ✨
1
+ # ⚙️ scai — Smart Commit AI ✨
2
2
 
3
- > AI-powered commit message suggestions from staged changesdirectly in your terminal.
3
+ > AI-powered CLI tools for smart commit messages, automated refactoring, and developer insight all powered by local models.
4
4
 
5
- **scai** (Smart Commit AI) is a lightweight, privacy-focused CLI tool that uses a local AI model to generate clear, meaningful commit messages based on your staged Git changes. No internet required. No telemetry. Just smart commits.
5
+ **scai** (Smart Commit AI) is a lightweight, privacy-focused CLI tool that uses local AI models (via [Ollama](https://ollama.com)) to help developers work faster and cleaner:
6
+
7
+ - 🤖 Suggest high-quality Git commit messages
8
+ - ✨ Refactor messy code files
9
+ - 🧠 Check Git status and improve workflows
10
+ - 🔒 100% local — no API keys, no cloud, no telemetry
6
11
 
7
12
  ---
8
13
 
9
14
  ## 🚀 Features
10
15
 
11
- - 🔍 Automatically suggests commit messages based on `git diff`
12
- - 🤖 Uses a local language model via [Ollama](https://ollama.com/) — no external API keys
13
- - 🧱 Designed for local developer workflows and automation
14
- - 📦 Works with any Git repository
16
+ - 💬 Generate commit messages from staged Git changes
17
+ - Refactor a single JavaScript file for improved readability
18
+ - 🔍 Check Git status with one command
19
+ - ⚡️ Powered by Ollama + local models like `llama3` and `mistral`
20
+ - 🛠️ CLI built with Node.js + TypeScript
21
+ - 🔒 No external services, full privacy by design
15
22
 
16
23
  ---
17
24
 
18
25
  ## 📦 Installation
19
26
 
20
- You'll need [Ollama](https://ollama.com/) installed and running locally, with a supported model like `mistral` pulled:
27
+ 1. **Install [Ollama](https://ollama.com)**
28
+ - On Windows: [Download Ollama](https://ollama.com/download)
29
+ - Ensure it’s added to your system `PATH`
30
+
31
+ 2. **Install scai globally via npm:**
32
+
33
+ ```bash
34
+ npm install -g scai
35
+ ```
36
+
37
+ 3. **Run the initialization step to start Ollama and install models:**
38
+
39
+ ```bash
40
+ scai init
41
+ ```
42
+
43
+ This will:
44
+ - Launch the Ollama background server (if not running)
45
+ - Pull the required models (`llama3`, `mistral`) if they aren’t present
46
+
47
+ ---
48
+
49
+ ## 🧪 Usage Examples
50
+
51
+ ### 💬 Suggest a commit message
52
+
53
+ ```bash
54
+ # Stage your changes
55
+ git add .
56
+
57
+ # Let scai suggest a commit message
58
+ scai commit
59
+ ```
60
+
61
+ > Example output:
62
+ ```
63
+ feat(api): add error handling to user service
64
+ ```
65
+
66
+ To automatically commit with the suggested message:
67
+
68
+ ```bash
69
+ scai commit --commit
70
+ ```
71
+
72
+ ---
73
+
74
+ ### 🛠 Refactor a JavaScript file
75
+
76
+ ```bash
77
+ scai refactor path/to/file.js
78
+ ```
79
+
80
+ A cleaned-up version will be written to:
81
+
82
+ ```
83
+ path/to/refactored/file.refactored.js
84
+ ```
85
+
86
+ ---
87
+
88
+ ### 🔍 Check Git status
21
89
 
22
90
  ```bash
23
- ollama run mistral
91
+ scai git
92
+ ```
93
+
94
+ Useful overview of current branch, commits, and uncommitted changes.
95
+
96
+ ---
97
+
98
+ ## 🔐 License & Fair Use
99
+
100
+ **scai is free to use** for individuals, teams, and companies — including in commercial work.
101
+ You may:
102
+
103
+ - ✅ Use it internally in your projects
104
+ - ✅ Use it at work or in commercial software development
105
+ - ✅ Share and recommend it to colleagues
106
+
107
+ However:
108
+
109
+ - ❌ You may not **resell**, repackage, or redistribute **scai** as a commercial product or SaaS offering
110
+ - ❌ You may not claim ownership or original authorship
111
+
112
+ For full terms, see the [LICENSE](./LICENSE) file.
113
+
114
+ ---
24
115
 
116
+ ## ❤️ Why Local-First?
25
117
 
26
- ## License
118
+ We believe your code — and your workflow — should stay **yours**. scai runs entirely on your machine using open-source models and tools.
27
119
 
28
- This software is licensed for non-commercial use only.
29
- See the [LICENSE](./LICENSE) file for details.
120
+ No internet connection. No vendor lock-in. Just local, private, AI-enhanced developer experience.
@@ -0,0 +1,44 @@
1
+ "use strict";
2
+ Here;
3
+ is;
4
+ the;
5
+ refactored;
6
+ code;
7
+ with (comments)
8
+ added;
9
+ and;
10
+ a;
11
+ summary;
12
+ of;
13
+ refactor;
14
+ at;
15
+ the;
16
+ end: `` `typescript
17
+ // Import necessary modules for executing child processes, fetch requests, and readline interface
18
+ import { execSync } from 'child_process';
19
+ import readline from 'readline';
20
+ import { fetch } from 'node-fetch';
21
+
22
+ // Define an asynchronous function to generate messages based on the provided prompt
23
+ async function generateMessages(prompt: string): Promise<string[]> {
24
+ // ... (Existing code)
25
+ }
26
+
27
+ // Define an asynchronous function to ask for a user choice among the given suggestions
28
+ async function askForChoice(options: { suggestions: string[] }): Promise<number> {
29
+ // ... (Existing code)
30
+ }
31
+
32
+ // Export an asynchronous function to suggest a commit message based on the given options (with the commit flag for final committing)
33
+ export async function suggestCommitMessage({ commit = false }: { commit?: boolean }) {
34
+ try {
35
+ // ... (Existing code)
36
+ } catch (err) {
37
+ console.error('❌ Error in commit message suggestion:', err.message);
38
+ }
39
+ }
40
+
41
+ // Summary of refactor:
42
+ // - Added comments to each block for better understanding.
43
+ // - Extracted the functions generateMessages and askForChoice into separate blocks for code organization.
44
+ ` ``;
@@ -0,0 +1,58 @@
1
+ import { execSync } from 'child_process';
2
+ import fs from 'fs/promises';
3
+ import path from 'path';
4
+ export async function updateReadmeIfNeeded() {
5
+ try {
6
+ const diff = execSync("git diff", { encoding: "utf-8" }).trim();
7
+ if (!diff) {
8
+ console.log("⚠️ No changes to analyze in the working directory.");
9
+ return;
10
+ }
11
+ const readmePath = path.resolve("README.md");
12
+ let readme = "";
13
+ try {
14
+ readme = await fs.readFile(readmePath, "utf-8");
15
+ }
16
+ catch {
17
+ console.log("📄 No existing README.md found, skipping update.");
18
+ return;
19
+ }
20
+ const prompt = `
21
+ You're an experienced documentation writer. Here's the current README:
22
+
23
+ --- README START ---
24
+ ${readme}
25
+ --- README END ---
26
+
27
+ Here is a Git diff of recent code changes:
28
+
29
+ --- DIFF START ---
30
+ ${diff}
31
+ --- DIFF END ---
32
+
33
+ ✅ If the changes are significant and relevant to the public-facing documentation, return an updated README.
34
+ ❌ If they are not, return ONLY: "NO UPDATE".
35
+ `;
36
+ const res = await fetch("http://localhost:11434/api/generate", {
37
+ method: "POST",
38
+ headers: { "Content-Type": "application/json" },
39
+ body: JSON.stringify({
40
+ model: "llama3",
41
+ prompt,
42
+ stream: false,
43
+ }),
44
+ });
45
+ const { response } = await res.json();
46
+ const result = response.trim();
47
+ if (result === "NO UPDATE") {
48
+ console.log("✅ No significant changes for README.");
49
+ }
50
+ else {
51
+ await fs.writeFile(readmePath, result, "utf-8");
52
+ console.log("📝 README.md updated based on significant changes.");
53
+ }
54
+ }
55
+ catch (err) {
56
+ console.error("❌ Failed to update README:", err.message);
57
+ }
58
+ }
@@ -1,42 +1,40 @@
1
1
  import fs from 'fs/promises';
2
2
  import path from 'path';
3
- export async function handleRefactor(filepath) {
3
+ import { runPromptPipeline } from '../pipeline/runPipeline.js';
4
+ import { refactorModule } from '../pipeline/modules/refactorModule.js';
5
+ import { addCommentsModule } from '../pipeline/modules/commentModule.js';
6
+ import { cleanupModule } from '../pipeline/modules/cleanupModule.js';
7
+ export async function handleRefactor(filepath, options = {}) {
4
8
  try {
5
- // 1) Read original file
6
- const code = await fs.readFile(filepath, 'utf-8');
7
- // 2) Prompt the LLM
8
- const prompt = `
9
- You are a senior JavaScript engineer. Refactor the code below to improve readability,
10
- modularity, and maintainability. Return ONLY the refactored code.
11
-
12
- --- ORIGINAL CODE START ---
13
- ${code}
14
- --- ORIGINAL CODE END ---
15
- `.trim();
16
- const res = await fetch('http://localhost:11434/api/generate', {
17
- method: 'POST',
18
- headers: { 'Content-Type': 'application/json' },
19
- body: JSON.stringify({
20
- model: 'mistral',
21
- prompt,
22
- stream: false
23
- })
24
- });
25
- const data = await res.json();
26
- console.log('🔍 Raw LLM response:', data);
27
- const refactored = data.response?.trim();
28
- if (!refactored) {
29
- throw new Error('No refactored code returned from the model.');
9
+ // Normalize path: add ./ prefix if no directory specified
10
+ if (!filepath.startsWith('./') && !filepath.startsWith('/') && !filepath.includes('\\')) {
11
+ filepath = `./${filepath}`;
30
12
  }
31
- // 3) Write to a new file alongside the original
32
- const { dir, name } = path.parse(filepath);
33
- console.log('dir: ', dir);
34
- console.log('name: ', name);
35
- const outDir = path.join(dir, 'refactored');
36
- await fs.mkdir(outDir, { recursive: true });
37
- const outPath = path.join(outDir, `${name}.refactored.js`);
38
- await fs.writeFile(outPath, refactored, 'utf-8');
39
- console.log(`✅ Refactored code saved to: ${outPath}`);
13
+ const { dir, name, ext } = path.parse(filepath);
14
+ const refactoredPath = path.join(dir, `${name}.refactored${ext}`);
15
+ // --apply flag: use existing refactored file and overwrite original
16
+ if (options.apply) {
17
+ try {
18
+ const refactoredCode = await fs.readFile(refactoredPath, 'utf-8');
19
+ await fs.writeFile(filepath, refactoredCode, 'utf-8');
20
+ await fs.unlink(refactoredPath);
21
+ console.log(`♻️ Applied refactor: Overwrote ${filepath} and removed ${refactoredPath}`);
22
+ }
23
+ catch {
24
+ console.error(`❌ No saved refactor found at ${refactoredPath}`);
25
+ }
26
+ return;
27
+ }
28
+ // Read source code
29
+ const originalCode = await fs.readFile(filepath, 'utf-8');
30
+ // Run through pipeline modules
31
+ const refactored = await runPromptPipeline([refactorModule, addCommentsModule, cleanupModule], { code: originalCode });
32
+ if (!refactored.trim())
33
+ throw new Error('⚠️ Model returned empty result');
34
+ // Save refactored output
35
+ await fs.writeFile(refactoredPath, refactored, 'utf-8');
36
+ console.log(`✅ Refactored code saved to: ${refactoredPath}`);
37
+ console.log(`ℹ️ Run again with '--apply' to overwrite the original.`);
40
38
  }
41
39
  catch (err) {
42
40
  console.error('❌ Error in refactor command:', err.message);
@@ -0,0 +1,8 @@
1
+ "use strict";
2
+ // Summary of refactor:
3
+ // - Normalized file paths by adding './' if not present
4
+ // - Parsed normalized file paths into their directory, name, and extension
5
+ // - Generated a refactored file path using the original file's directory, name, and extension along with the '.refactored' suffix
6
+ // - Handled the refactor operation for a given file path and options (apply flag to decide whether to overwrite the original file or not)
7
+ // - If apply is set, attempted to read the refactored code from the refactored file path and overwrite the original file if it exists.
8
+ // - If not, read the original code from the file, passed it through a pipeline for refactoring, saved the refactored code to a new file path, and provided an option to run again with '--apply' to overwrite the original.
package/dist/index.js CHANGED
@@ -4,6 +4,7 @@ import { checkEnv } from "./commands/EnvCmd.js";
4
4
  import { checkGit } from "./commands/GitCmd.js";
5
5
  import { suggestCommitMessage } from "./commands/CommitSuggesterCmd.js";
6
6
  import { handleRefactor } from "./commands/RefactorCmd.js";
7
+ import { updateReadmeIfNeeded } from "./commands/ReadmeCmd.js";
7
8
  // Import the model check and initialization logic
8
9
  import { bootstrap } from './modelSetup.js';
9
10
  // Create the CLI instance
@@ -31,8 +32,13 @@ cmd
31
32
  .option('-c, --commit', 'Automatically commit with suggested message')
32
33
  .action(suggestCommitMessage);
33
34
  cmd
34
- .command('refactor <file>')
35
- .description('Suggest a refactor for the given JS file')
36
- .action((file) => handleRefactor(file));
35
+ .command('refac <file>')
36
+ .description('Suggest a refactor for the given JS/TS file')
37
+ .option('-a, --apply', 'Apply the refactored version to the original file')
38
+ .action((file, options) => handleRefactor(file, options));
39
+ cmd
40
+ .command('readme')
41
+ .description('Update README.md if relevant changes were made')
42
+ .action(updateReadmeIfNeeded);
37
43
  // Parse CLI arguments
38
44
  cmd.parse(process.argv);
@@ -0,0 +1,34 @@
1
+ export const cleanupModule = {
2
+ name: 'cleanup',
3
+ description: 'Removes markdown formatting and explanations from the output',
4
+ async run({ code }) {
5
+ const prompt = `
6
+ You are a code cleanup assistant.
7
+
8
+ Your task is to take the following code output and:
9
+ - Remove any markdown formatting like triple backticks from the top of the file
10
+ - Remove any markdown formatting like triple backticks from the bottom of the file
11
+ - Keep all actual TypeScript/JavaScript code
12
+ - keep all comments that start with // or /* and ends with */
13
+ - do not tell me what you have done or make any such similar comments
14
+ - do not add any tripple backticks
15
+
16
+ Return ONLY the cleaned code, without any markdown or extra text.
17
+
18
+ --- CODE START ---
19
+ ${code}
20
+ --- CODE END ---
21
+ `.trim();
22
+ const res = await fetch('http://localhost:11434/api/generate', {
23
+ method: 'POST',
24
+ headers: { 'Content-Type': 'application/json' },
25
+ body: JSON.stringify({
26
+ model: 'llama3',
27
+ prompt,
28
+ stream: false
29
+ }),
30
+ });
31
+ const data = await res.json();
32
+ return { code: data.response?.trim() ?? '' };
33
+ }
34
+ };
@@ -0,0 +1,28 @@
1
+ export const addCommentsModule = {
2
+ name: 'addComments',
3
+ description: 'Adds meaningful // comments to each block of code',
4
+ async run(input) {
5
+ const prompt = `
6
+ You are a senior JavaScript engineer.
7
+
8
+ Add clear and helpful single-line // comments only to each block of the following code.
9
+ - Keep the code unchanged otherwise.
10
+ - Return ONLY the valid refactored code (no markdown)
11
+
12
+ --- CODE START ---
13
+ ${input.code}
14
+ --- CODE END ---
15
+ `.trim();
16
+ const res = await fetch('http://localhost:11434/api/generate', {
17
+ method: 'POST',
18
+ headers: { 'Content-Type': 'application/json' },
19
+ body: JSON.stringify({
20
+ model: 'mistral',
21
+ prompt: prompt,
22
+ stream: false,
23
+ }),
24
+ });
25
+ const data = await res.json();
26
+ return { code: data.response?.trim() ?? '' };
27
+ },
28
+ };
@@ -0,0 +1,27 @@
1
+ export const refactorModule = {
2
+ name: 'refactor',
3
+ description: 'Break code into small, clean functions',
4
+ async run({ code }) {
5
+ const prompt = `
6
+ You are a senior JavaScript/TypeScript engineer.
7
+
8
+ Refactor the code below with these goals:
9
+ - Split logic into small (~10 lines) functions
10
+ - Improve naming, structure, and readability
11
+ - do not include any libraries that were not in the original file
12
+
13
+ ONLY return the plain refactored code.
14
+
15
+ --- CODE START ---
16
+ ${code}
17
+ --- CODE END ---
18
+ `.trim();
19
+ const res = await fetch('http://localhost:11434/api/generate', {
20
+ method: 'POST',
21
+ headers: { 'Content-Type': 'application/json' },
22
+ body: JSON.stringify({ model: 'mistral', prompt: prompt, stream: false })
23
+ });
24
+ const data = await res.json();
25
+ return { code: data.response?.trim() ?? '' };
26
+ }
27
+ };
@@ -0,0 +1,15 @@
1
+ export const stripMarkdownModule = {
2
+ name: 'stripMarkdown',
3
+ description: 'Remove surrounding markdown and explanations from LLM output',
4
+ async run({ code }) {
5
+ let cleaned = code.trim();
6
+ // Remove common intro text like "Here is the refactored code:"
7
+ cleaned = cleaned.replace(/^.*?(?=\n|```|import|function|const|let)/is, '');
8
+ // Remove triple backtick blocks and optional language tags
9
+ cleaned = cleaned.replace(/^```[a-z]*\n?/i, '');
10
+ cleaned = cleaned.replace(/```$/, '');
11
+ // Remove any leftover empty lines at top and bottom
12
+ cleaned = cleaned.trim();
13
+ return { code: cleaned };
14
+ }
15
+ };
@@ -0,0 +1,31 @@
1
+ export const summaryModule = {
2
+ name: 'summary',
3
+ description: 'Append // Summary of changes at the end',
4
+ async run({ code }) {
5
+ const prompt = `
6
+ You are a senior developer assistant.
7
+
8
+ Take the following code and return it exactly as-is,
9
+ but add a summary at the very end in this format:
10
+
11
+ // Summary of refactor:
12
+ // - Did X
13
+ // - Did Y
14
+ // - etc.
15
+
16
+ DO NOT modify or omit any existing code.
17
+ Just append the summary.
18
+
19
+ --- CODE START ---
20
+ ${code}
21
+ --- CODE END ---
22
+ `.trim();
23
+ const res = await fetch('http://localhost:11434/api/generate', {
24
+ method: 'POST',
25
+ headers: { 'Content-Type': 'application/json' },
26
+ body: JSON.stringify({ model: 'llama3', prompt: prompt, stream: false })
27
+ });
28
+ const data = await res.json();
29
+ return { code: data.response?.trim() ?? '' };
30
+ }
31
+ };
@@ -0,0 +1,10 @@
1
+ export async function runPromptPipeline(modules, input) {
2
+ let current = input;
3
+ console.log('Input: ', input);
4
+ for (const mod of modules) {
5
+ console.log(`⚙️ Running: ${mod.name}`);
6
+ current = await mod.run(current);
7
+ console.log("Current: ", current);
8
+ }
9
+ return current.code;
10
+ }
@@ -0,0 +1 @@
1
+ export {};
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "scai",
3
- "version": "0.1.5",
3
+ "version": "0.1.7",
4
4
  "type": "module",
5
5
  "bin": {
6
6
  "scai": "./dist/index.js"
@@ -27,4 +27,4 @@
27
27
  "dist/",
28
28
  "README.md"
29
29
  ]
30
- }
30
+ }