feat: add uxpro-cli for easy skill installation (#4)

* feat: add uxpro-cli for easy skill installation

- Add CLI tool (uxpro-cli) with commands: init, versions, update
- Support multiple AI assistants: claude, cursor, windsurf, antigravity, all
- Update README with CLI installation guide and usage examples
- Add CC BY-NC 4.0 license
- Update feature counts to accurate numbers

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>

* refactor: rename CLI from uxpro to uipro

- Package: uxpro-cli -> uipro-cli
- Command: uxpro -> uipro

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>

---------

Co-authored-by: Claude <noreply@anthropic.com>
This commit is contained in:
Viet Tran
2025-12-02 18:55:29 +07:00
committed by GitHub
parent 6a220478a2
commit 70200ed41a
16 changed files with 796 additions and 95 deletions

125
cli/src/commands/init.ts Normal file
View File

@@ -0,0 +1,125 @@
import { join } from 'node:path';
import { tmpdir } from 'node:os';
import { mkdir } from 'node:fs/promises';
import chalk from 'chalk';
import ora from 'ora';
import prompts from 'prompts';
import type { AIType } from '../types/index.js';
import { AI_TYPES } from '../types/index.js';
import { fetchReleases, getLatestRelease, downloadRelease, getAssetUrl } from '../utils/github.js';
import { extractZip, copyFolders, cleanup } from '../utils/extract.js';
import { detectAIType, getAITypeDescription } from '../utils/detect.js';
import { logger } from '../utils/logger.js';
interface InitOptions {
ai?: AIType;
version?: string;
force?: boolean;
}
export async function initCommand(options: InitOptions): Promise<void> {
logger.title('UI/UX Pro Max Installer');
let aiType = options.ai;
// Auto-detect or prompt for AI type
if (!aiType) {
const { detected, suggested } = detectAIType();
if (detected.length > 0) {
logger.info(`Detected: ${detected.map(t => chalk.cyan(t)).join(', ')}`);
}
const response = await prompts({
type: 'select',
name: 'aiType',
message: 'Select AI assistant to install for:',
choices: AI_TYPES.map(type => ({
title: getAITypeDescription(type),
value: type,
})),
initial: suggested ? AI_TYPES.indexOf(suggested) : 0,
});
if (!response.aiType) {
logger.warn('Installation cancelled');
return;
}
aiType = response.aiType as AIType;
}
logger.info(`Installing for: ${chalk.cyan(getAITypeDescription(aiType))}`);
// Fetch release
const spinner = ora('Fetching release info...').start();
try {
let release;
if (options.version) {
const releases = await fetchReleases();
release = releases.find(r => r.tag_name === options.version);
if (!release) {
spinner.fail(`Version ${options.version} not found`);
process.exit(1);
}
} else {
release = await getLatestRelease();
}
spinner.text = `Found version: ${release.tag_name}`;
const assetUrl = getAssetUrl(release);
if (!assetUrl) {
spinner.fail('No downloadable asset found in release');
process.exit(1);
}
// Download
spinner.text = 'Downloading...';
const tempDir = join(tmpdir(), `uipro-${Date.now()}`);
await mkdir(tempDir, { recursive: true });
const zipPath = join(tempDir, 'release.zip');
await downloadRelease(assetUrl, zipPath);
// Extract
spinner.text = 'Extracting...';
const extractDir = join(tempDir, 'extracted');
await mkdir(extractDir, { recursive: true });
await extractZip(zipPath, extractDir);
// Copy folders
spinner.text = 'Installing files...';
const cwd = process.cwd();
const copiedFolders = await copyFolders(extractDir, cwd, aiType);
// Cleanup
await cleanup(tempDir);
spinner.succeed('Installation complete!');
// Summary
console.log();
logger.info('Installed folders:');
copiedFolders.forEach(folder => {
console.log(` ${chalk.green('+')} ${folder}`);
});
console.log();
logger.success(`UI/UX Pro Max ${release.tag_name} installed successfully!`);
// Next steps
console.log();
console.log(chalk.bold('Next steps:'));
console.log(chalk.dim(' 1. Restart your AI coding assistant'));
console.log(chalk.dim(' 2. Try: "Build a landing page for a SaaS product"'));
console.log();
} catch (error) {
spinner.fail('Installation failed');
if (error instanceof Error) {
logger.error(error.message);
}
process.exit(1);
}
}