components-differ 1.2.2 → 1.2.3
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 +33 -76
- package/dist/components.js +130 -0
- package/dist/create-diff.js +77 -0
- package/dist/extract-imports.js +90 -0
- package/dist/git.js +117 -0
- package/dist/index.js +136 -0
- package/dist/parse-file-path.js +73 -0
- package/dist/release.js +50 -0
- package/dist/resolve-imports.js +103 -0
- package/package.json +14 -43
- package/src/components.ts +170 -0
- package/src/create-diff.ts +156 -0
- package/src/extract-imports.ts +87 -0
- package/{dist/src/git.mjs → src/git.ts} +45 -27
- package/src/index.ts +173 -0
- package/{dist/src/parse-file-path.mjs → src/parse-file-path.ts} +45 -12
- package/src/release.ts +71 -0
- package/src/resolve-imports.ts +121 -0
- package/tsconfig.json +15 -0
- package/dist/index.mjs +0 -114
- package/dist/src/components.mjs +0 -111
- package/dist/src/create-diff.mjs +0 -96
package/dist/index.js
ADDED
|
@@ -0,0 +1,136 @@
|
|
|
1
|
+
#!/usr/bin/env node
|
|
2
|
+
import fs from "node:fs";
|
|
3
|
+
import path from "node:path";
|
|
4
|
+
import { execSync } from "node:child_process";
|
|
5
|
+
import { program } from "commander";
|
|
6
|
+
import { scanForAlteredFiles, scanForFiles, hasSrcDir, } from "./git.js";
|
|
7
|
+
import { readComponentsManifest } from "./components.js";
|
|
8
|
+
import { createDiff } from "./create-diff.js";
|
|
9
|
+
import { expandIncludedFiles } from "./resolve-imports.js";
|
|
10
|
+
function runCommand(command) {
|
|
11
|
+
try {
|
|
12
|
+
execSync(command, { stdio: "inherit" });
|
|
13
|
+
}
|
|
14
|
+
catch (error) {
|
|
15
|
+
console.error(`Failed to execute command: ${command}`);
|
|
16
|
+
process.exit(1);
|
|
17
|
+
}
|
|
18
|
+
}
|
|
19
|
+
function ensureGitignore() {
|
|
20
|
+
const gitignorePath = path.join(process.cwd(), ".gitignore");
|
|
21
|
+
if (!fs.existsSync(gitignorePath)) {
|
|
22
|
+
const content = `
|
|
23
|
+
/node_modules
|
|
24
|
+
/.pnp
|
|
25
|
+
.pnp.*
|
|
26
|
+
.yarn/*
|
|
27
|
+
!.yarn/patches
|
|
28
|
+
!.yarn/plugins
|
|
29
|
+
!.yarn/releases
|
|
30
|
+
!.yarn/versions
|
|
31
|
+
|
|
32
|
+
# testing
|
|
33
|
+
/coverage
|
|
34
|
+
|
|
35
|
+
# next.js
|
|
36
|
+
/.next/
|
|
37
|
+
/out/
|
|
38
|
+
|
|
39
|
+
# production
|
|
40
|
+
/build
|
|
41
|
+
|
|
42
|
+
# misc
|
|
43
|
+
.DS_Store
|
|
44
|
+
*.pem
|
|
45
|
+
|
|
46
|
+
# debug
|
|
47
|
+
npm-debug.log*
|
|
48
|
+
yarn-debug.log*
|
|
49
|
+
yarn-error.log*
|
|
50
|
+
|
|
51
|
+
# env files (can opt-in for committing if needed)
|
|
52
|
+
.env*
|
|
53
|
+
|
|
54
|
+
# vercel
|
|
55
|
+
.vercel
|
|
56
|
+
|
|
57
|
+
# typescript
|
|
58
|
+
*.tsbuildinfo
|
|
59
|
+
next-env.d.ts
|
|
60
|
+
`;
|
|
61
|
+
fs.writeFileSync(gitignorePath, content, "utf8");
|
|
62
|
+
}
|
|
63
|
+
}
|
|
64
|
+
function main() {
|
|
65
|
+
program
|
|
66
|
+
.option("-n, --name <name>")
|
|
67
|
+
.option("--init")
|
|
68
|
+
.option("-f, --folder <folder>", "folder to include (default: current directory)")
|
|
69
|
+
.option("--git", "use git mode: only files changed since initial commit");
|
|
70
|
+
program.parse();
|
|
71
|
+
const options = program.opts();
|
|
72
|
+
if (options.init) {
|
|
73
|
+
// Initialize a clean git repository for the current component
|
|
74
|
+
if (process.platform === "win32") {
|
|
75
|
+
runCommand('rmdir /s /q .git && git init && git add . && git commit -m "Initial commit"');
|
|
76
|
+
}
|
|
77
|
+
else {
|
|
78
|
+
runCommand('rm -fr .git && git init && git add . && git commit -m "Initial commit"');
|
|
79
|
+
}
|
|
80
|
+
ensureGitignore();
|
|
81
|
+
return;
|
|
82
|
+
}
|
|
83
|
+
const useFolderMode = !options.git;
|
|
84
|
+
const folderOpt = options.folder ?? (useFolderMode ? "." : undefined);
|
|
85
|
+
const baseName = folderOpt != null
|
|
86
|
+
? path.basename(path.resolve(process.cwd(), folderOpt))
|
|
87
|
+
: path.basename(process.cwd());
|
|
88
|
+
const name = options.name || baseName;
|
|
89
|
+
let alteredFiles;
|
|
90
|
+
let specificFiles;
|
|
91
|
+
if (useFolderMode && folderOpt != null) {
|
|
92
|
+
const folderPath = path.resolve(process.cwd(), folderOpt);
|
|
93
|
+
if (!fs.existsSync(folderPath) || !fs.statSync(folderPath).isDirectory()) {
|
|
94
|
+
console.error(`Folder path is not a directory: ${folderOpt}`);
|
|
95
|
+
process.exit(1);
|
|
96
|
+
}
|
|
97
|
+
const folderPrefix = path
|
|
98
|
+
.relative(process.cwd(), folderPath)
|
|
99
|
+
.replace(/\\/g, "/")
|
|
100
|
+
.replace(/^\.\//, "");
|
|
101
|
+
const allFiles = scanForFiles(process.cwd());
|
|
102
|
+
alteredFiles = allFiles.filter(({ path: filePath }) => {
|
|
103
|
+
const normalized = filePath.replace(/\\/g, "/");
|
|
104
|
+
return (normalized === folderPrefix ||
|
|
105
|
+
normalized.startsWith(`${folderPrefix}/`));
|
|
106
|
+
});
|
|
107
|
+
specificFiles = {
|
|
108
|
+
"./package.json": "{}",
|
|
109
|
+
};
|
|
110
|
+
}
|
|
111
|
+
else {
|
|
112
|
+
const result = scanForAlteredFiles(["./package.json"]);
|
|
113
|
+
alteredFiles = result.alteredFiles;
|
|
114
|
+
specificFiles = result.specificFiles;
|
|
115
|
+
}
|
|
116
|
+
const currentFiles = scanForFiles(process.cwd());
|
|
117
|
+
const currentPackageJson = fs.readFileSync("./package.json", "utf-8");
|
|
118
|
+
const config = readComponentsManifest(process.cwd());
|
|
119
|
+
config.isSrcDir = hasSrcDir(process.cwd());
|
|
120
|
+
// Recursively add any project file imported by the included files so the
|
|
121
|
+
// registry item is self-contained (no "component not found").
|
|
122
|
+
alteredFiles = expandIncludedFiles(alteredFiles, currentFiles, config);
|
|
123
|
+
const output = createDiff({
|
|
124
|
+
name,
|
|
125
|
+
config,
|
|
126
|
+
alteredFiles,
|
|
127
|
+
currentFiles,
|
|
128
|
+
specificFiles,
|
|
129
|
+
currentPackageJson,
|
|
130
|
+
});
|
|
131
|
+
// Emit a complete registry:block JSON object suitable for local file support
|
|
132
|
+
// (e.g. `npx shadcn add ./block.json`)
|
|
133
|
+
// eslint-disable-next-line no-console
|
|
134
|
+
console.log(JSON.stringify(output, null, 2));
|
|
135
|
+
}
|
|
136
|
+
main();
|
|
@@ -0,0 +1,73 @@
|
|
|
1
|
+
import path from "node:path";
|
|
2
|
+
function fixAlias(alias) {
|
|
3
|
+
return alias.replace("@", ".");
|
|
4
|
+
}
|
|
5
|
+
export function parseFilePath(wasInSrcDir, config, filePath, content) {
|
|
6
|
+
const normalizedPath = filePath.replace(/^\.\//, "");
|
|
7
|
+
const extension = path.extname(normalizedPath);
|
|
8
|
+
const baseName = path.basename(normalizedPath);
|
|
9
|
+
const styleExtensions = new Set([
|
|
10
|
+
".css",
|
|
11
|
+
".scss",
|
|
12
|
+
".sass",
|
|
13
|
+
".less",
|
|
14
|
+
".pcss",
|
|
15
|
+
]);
|
|
16
|
+
const fileExtensions = new Set([
|
|
17
|
+
".json",
|
|
18
|
+
".yaml",
|
|
19
|
+
".yml",
|
|
20
|
+
".md",
|
|
21
|
+
".mdx",
|
|
22
|
+
".txt",
|
|
23
|
+
]);
|
|
24
|
+
const themePattern = /(\/|^)(theme|.*-theme)(\.[a-z0-9]+)?$/i;
|
|
25
|
+
const sanitizedTargetPath = normalizedPath.replace(/^src\//, "");
|
|
26
|
+
const defaultTarget = wasInSrcDir ? filePath : `~/${normalizedPath}`;
|
|
27
|
+
const out = {
|
|
28
|
+
path: filePath,
|
|
29
|
+
content,
|
|
30
|
+
type: "registry:example",
|
|
31
|
+
target: defaultTarget,
|
|
32
|
+
};
|
|
33
|
+
if (filePath.startsWith(fixAlias(config.ui))) {
|
|
34
|
+
out.type = "registry:ui";
|
|
35
|
+
out.target = undefined;
|
|
36
|
+
}
|
|
37
|
+
else if (filePath.startsWith(fixAlias(config.components))) {
|
|
38
|
+
out.type = "registry:block";
|
|
39
|
+
out.target = undefined;
|
|
40
|
+
}
|
|
41
|
+
else if (filePath.startsWith(fixAlias(config.hooks))) {
|
|
42
|
+
out.type = "registry:hook";
|
|
43
|
+
out.target = undefined;
|
|
44
|
+
}
|
|
45
|
+
else if (filePath.startsWith(fixAlias(config.lib))) {
|
|
46
|
+
out.type = "registry:lib";
|
|
47
|
+
out.target = undefined;
|
|
48
|
+
}
|
|
49
|
+
else if (normalizedPath.startsWith("app/")) {
|
|
50
|
+
out.type = "registry:page";
|
|
51
|
+
out.target = `./${sanitizedTargetPath}`;
|
|
52
|
+
}
|
|
53
|
+
else if (themePattern.test(normalizedPath)) {
|
|
54
|
+
out.type = "registry:theme";
|
|
55
|
+
out.target = undefined;
|
|
56
|
+
}
|
|
57
|
+
else if (styleExtensions.has(extension)) {
|
|
58
|
+
out.type = "registry:style";
|
|
59
|
+
}
|
|
60
|
+
else if (baseName.startsWith(".env") || fileExtensions.has(extension)) {
|
|
61
|
+
out.type = "registry:file";
|
|
62
|
+
out.target = `~/${sanitizedTargetPath}`;
|
|
63
|
+
}
|
|
64
|
+
else if (extension === ".tsx" || extension === ".jsx") {
|
|
65
|
+
out.type = "registry:component";
|
|
66
|
+
out.target = undefined;
|
|
67
|
+
}
|
|
68
|
+
else {
|
|
69
|
+
out.type = "registry:file";
|
|
70
|
+
out.target = `./${sanitizedTargetPath}`;
|
|
71
|
+
}
|
|
72
|
+
return out;
|
|
73
|
+
}
|
package/dist/release.js
ADDED
|
@@ -0,0 +1,50 @@
|
|
|
1
|
+
import { spawnSync } from "node:child_process";
|
|
2
|
+
function run(command, args = []) {
|
|
3
|
+
const full = [command, ...args].join(" ");
|
|
4
|
+
console.log(`\n$ ${full}`);
|
|
5
|
+
const result = spawnSync(command, args, {
|
|
6
|
+
stdio: "inherit",
|
|
7
|
+
shell: process.platform === "win32",
|
|
8
|
+
});
|
|
9
|
+
if (result.status !== 0) {
|
|
10
|
+
console.error(`\nCommand failed: ${full}`);
|
|
11
|
+
process.exit(result.status === null ? 1 : result.status);
|
|
12
|
+
}
|
|
13
|
+
}
|
|
14
|
+
function getVersionBumpFromArgs() {
|
|
15
|
+
const type = process.argv[2] ?? "patch";
|
|
16
|
+
if (!["patch", "minor", "major"].includes(type)) {
|
|
17
|
+
console.error(`Invalid version bump "${type}". Use one of: patch, minor, major.`);
|
|
18
|
+
process.exit(1);
|
|
19
|
+
}
|
|
20
|
+
return type;
|
|
21
|
+
}
|
|
22
|
+
function ensureCleanGit() {
|
|
23
|
+
const result = spawnSync("git", ["status", "--porcelain"], {
|
|
24
|
+
encoding: "utf8",
|
|
25
|
+
});
|
|
26
|
+
if (result.status !== 0) {
|
|
27
|
+
console.error("Failed to check git status.");
|
|
28
|
+
process.exit(1);
|
|
29
|
+
}
|
|
30
|
+
if ((result.stdout ?? "").trim().length > 0) {
|
|
31
|
+
console.error("Git working tree is not clean. Commit or stash your changes before releasing.");
|
|
32
|
+
process.exit(1);
|
|
33
|
+
}
|
|
34
|
+
}
|
|
35
|
+
async function main() {
|
|
36
|
+
const bump = getVersionBumpFromArgs();
|
|
37
|
+
console.log("Ensuring clean git working tree...");
|
|
38
|
+
ensureCleanGit();
|
|
39
|
+
console.log("\nBuilding project...");
|
|
40
|
+
run("npm", ["run", "build"]);
|
|
41
|
+
console.log(`\nBumping version (${bump})...`);
|
|
42
|
+
run("npm", ["version", bump]);
|
|
43
|
+
console.log("\nPublishing to npm...");
|
|
44
|
+
run("npm", ["publish"]);
|
|
45
|
+
console.log("\nRelease complete.");
|
|
46
|
+
}
|
|
47
|
+
main().catch((err) => {
|
|
48
|
+
console.error(err);
|
|
49
|
+
process.exit(1);
|
|
50
|
+
});
|
|
@@ -0,0 +1,103 @@
|
|
|
1
|
+
import path from "node:path";
|
|
2
|
+
import { extractPathSpecifiers } from "./extract-imports.js";
|
|
3
|
+
const EXTENSIONS = [".tsx", ".ts", ".jsx", ".js", ".mts", ".mjs", ".cts", ".cjs"];
|
|
4
|
+
const INDEX_NAMES = ["index.tsx", "index.ts", "index.jsx", "index.js"];
|
|
5
|
+
/** Build [aliasPrefix, pathPrefix] pairs, longest first. pathPrefix is project-relative (e.g. src/lib when isSrcDir). */
|
|
6
|
+
function getAliasEntries(config) {
|
|
7
|
+
const entries = [];
|
|
8
|
+
const prefix = config.isSrcDir ? "src/" : "";
|
|
9
|
+
const keys = ["components", "utils", "ui", "lib", "hooks"];
|
|
10
|
+
for (const k of keys) {
|
|
11
|
+
const v = config[k];
|
|
12
|
+
if (typeof v === "string" && v.startsWith("@/")) {
|
|
13
|
+
const pathPart = v.replace(/^@\//, "").replace(/\/$/, "");
|
|
14
|
+
entries.push([v.replace(/\/$/, ""), prefix + pathPart]);
|
|
15
|
+
}
|
|
16
|
+
}
|
|
17
|
+
entries.push(["@", config.isSrcDir ? "src" : ""]);
|
|
18
|
+
entries.sort((a, b) => b[0].length - a[0].length);
|
|
19
|
+
return entries;
|
|
20
|
+
}
|
|
21
|
+
/**
|
|
22
|
+
* Resolve a path-like import specifier to a project-relative file path.
|
|
23
|
+
* Tries common extensions and /index.*. Returns the first path that exists in projectPaths.
|
|
24
|
+
*/
|
|
25
|
+
function resolveSpecifier(specifier, fromFilePath, aliasEntries, projectPaths, rootFallback) {
|
|
26
|
+
const normalizedFrom = fromFilePath.replace(/\\/g, "/");
|
|
27
|
+
const fromDir = path.dirname(normalizedFrom).replace(/\\/g, "/");
|
|
28
|
+
let candidate;
|
|
29
|
+
if (specifier.startsWith(".") || specifier.startsWith("/")) {
|
|
30
|
+
candidate = path.normalize(path.join(fromDir, specifier)).replace(/\\/g, "/");
|
|
31
|
+
}
|
|
32
|
+
else {
|
|
33
|
+
// Alias: @/components/Button -> components/Button
|
|
34
|
+
let matched = false;
|
|
35
|
+
for (const [aliasPrefix, pathPrefix] of aliasEntries) {
|
|
36
|
+
const prefix = aliasPrefix === "@" ? "@/" : aliasPrefix.endsWith("/") ? aliasPrefix : aliasPrefix + "/";
|
|
37
|
+
if (specifier === aliasPrefix || specifier.startsWith(prefix)) {
|
|
38
|
+
const suffix = specifier.slice(prefix.length).replace(/^\//, "");
|
|
39
|
+
candidate = path.normalize(path.join(pathPrefix, suffix)).replace(/\\/g, "/");
|
|
40
|
+
matched = true;
|
|
41
|
+
break;
|
|
42
|
+
}
|
|
43
|
+
}
|
|
44
|
+
if (!matched) {
|
|
45
|
+
const suffix = specifier.replace(/^@\//, "").replace(/^~\//, "");
|
|
46
|
+
candidate = path.normalize(path.join(rootFallback, suffix)).replace(/\\/g, "/");
|
|
47
|
+
}
|
|
48
|
+
}
|
|
49
|
+
if (!candidate)
|
|
50
|
+
return null;
|
|
51
|
+
if (projectPaths.has(candidate))
|
|
52
|
+
return candidate;
|
|
53
|
+
for (const ext of EXTENSIONS) {
|
|
54
|
+
const p = candidate.endsWith(ext) ? candidate : candidate + ext;
|
|
55
|
+
if (projectPaths.has(p))
|
|
56
|
+
return p;
|
|
57
|
+
}
|
|
58
|
+
for (const name of INDEX_NAMES) {
|
|
59
|
+
const p = candidate.endsWith("/") ? candidate + name : candidate + "/" + name;
|
|
60
|
+
if (projectPaths.has(p))
|
|
61
|
+
return p;
|
|
62
|
+
}
|
|
63
|
+
return null;
|
|
64
|
+
}
|
|
65
|
+
/**
|
|
66
|
+
* Expand the list of included files by recursively adding any project file
|
|
67
|
+
* that is imported (via relative or alias path) by an already-included file.
|
|
68
|
+
* Uses TypeScript/JS import syntax only.
|
|
69
|
+
*/
|
|
70
|
+
export function expandIncludedFiles(includedFiles, allProjectFiles, config) {
|
|
71
|
+
const projectPathToFile = new Map();
|
|
72
|
+
for (const f of allProjectFiles) {
|
|
73
|
+
const key = f.path.replace(/\\/g, "/");
|
|
74
|
+
projectPathToFile.set(key, f);
|
|
75
|
+
}
|
|
76
|
+
const projectPaths = new Set(projectPathToFile.keys());
|
|
77
|
+
const aliasEntries = getAliasEntries(config);
|
|
78
|
+
const rootFallback = config.isSrcDir ? "src" : "";
|
|
79
|
+
const includedPaths = new Set();
|
|
80
|
+
for (const f of includedFiles) {
|
|
81
|
+
includedPaths.add(f.path.replace(/\\/g, "/"));
|
|
82
|
+
}
|
|
83
|
+
let added = true;
|
|
84
|
+
while (added) {
|
|
85
|
+
added = false;
|
|
86
|
+
for (const file of [...includedFiles]) {
|
|
87
|
+
const content = file.content;
|
|
88
|
+
const fromPath = file.path.replace(/\\/g, "/");
|
|
89
|
+
for (const spec of extractPathSpecifiers(content)) {
|
|
90
|
+
const resolved = resolveSpecifier(spec, fromPath, aliasEntries, projectPaths, rootFallback);
|
|
91
|
+
if (resolved && !includedPaths.has(resolved)) {
|
|
92
|
+
const scanned = projectPathToFile.get(resolved);
|
|
93
|
+
if (scanned) {
|
|
94
|
+
includedFiles.push(scanned);
|
|
95
|
+
includedPaths.add(resolved);
|
|
96
|
+
added = true;
|
|
97
|
+
}
|
|
98
|
+
}
|
|
99
|
+
}
|
|
100
|
+
}
|
|
101
|
+
}
|
|
102
|
+
return includedFiles;
|
|
103
|
+
}
|
package/package.json
CHANGED
|
@@ -1,52 +1,23 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "components-differ",
|
|
3
|
-
"version": "1.2.
|
|
4
|
-
"description": "
|
|
3
|
+
"version": "1.2.3",
|
|
4
|
+
"description": "CLI to generate shadcn registry items from git diffs",
|
|
5
|
+
"license": "ISC",
|
|
5
6
|
"type": "module",
|
|
6
|
-
"main": "dist/index.
|
|
7
|
-
"bin":
|
|
8
|
-
|
|
9
|
-
".": "./dist/index.mjs"
|
|
7
|
+
"main": "dist/index.js",
|
|
8
|
+
"bin": {
|
|
9
|
+
"components-differ": "dist/index.js"
|
|
10
10
|
},
|
|
11
|
-
"
|
|
12
|
-
"
|
|
13
|
-
|
|
14
|
-
"directories": {
|
|
15
|
-
"test": "tests"
|
|
11
|
+
"scripts": {
|
|
12
|
+
"build": "tsc",
|
|
13
|
+
"release": "npm run build && node dist/release.js"
|
|
16
14
|
},
|
|
17
15
|
"dependencies": {
|
|
18
|
-
"commander": "
|
|
19
|
-
"ignore": "
|
|
16
|
+
"commander": "13.1.0",
|
|
17
|
+
"ignore": "7.0.4"
|
|
20
18
|
},
|
|
21
19
|
"devDependencies": {
|
|
22
|
-
"
|
|
23
|
-
|
|
24
|
-
"publishConfig": {
|
|
25
|
-
"access": "public"
|
|
26
|
-
},
|
|
27
|
-
"engines": {
|
|
28
|
-
"node": ">=18"
|
|
29
|
-
},
|
|
30
|
-
"repository": {
|
|
31
|
-
"type": "git",
|
|
32
|
-
"url": "git+https://github.com/componentshost/components-differ.git"
|
|
33
|
-
},
|
|
34
|
-
"keywords": [
|
|
35
|
-
"components",
|
|
36
|
-
"shadcn",
|
|
37
|
-
"differ",
|
|
38
|
-
"react",
|
|
39
|
-
"vite"
|
|
40
|
-
],
|
|
41
|
-
"author": "Izet Molla",
|
|
42
|
-
"license": "MIT",
|
|
43
|
-
"bugs": {
|
|
44
|
-
"url": "https://github.com/componentshost/components-differ/issues"
|
|
45
|
-
},
|
|
46
|
-
"homepage": "https://github.com/componentshost/components-differ#readme",
|
|
47
|
-
"scripts": {
|
|
48
|
-
"build": "node ./scripts/build.mjs",
|
|
49
|
-
"release": "pnpm run prepublishOnly && pnpm publish --access public",
|
|
50
|
-
"test": "vitest run"
|
|
20
|
+
"typescript": "5.9.3",
|
|
21
|
+
"@types/node": "25.3.0"
|
|
51
22
|
}
|
|
52
|
-
}
|
|
23
|
+
}
|
|
@@ -0,0 +1,170 @@
|
|
|
1
|
+
import path from "node:path";
|
|
2
|
+
import fs from "node:fs";
|
|
3
|
+
|
|
4
|
+
const WHITELISTED_COMPONENTS = [
|
|
5
|
+
"accordion",
|
|
6
|
+
"alert",
|
|
7
|
+
"alert-dialog",
|
|
8
|
+
"aspect-ratio",
|
|
9
|
+
"avatar",
|
|
10
|
+
"badge",
|
|
11
|
+
"breadcrumb",
|
|
12
|
+
"button",
|
|
13
|
+
"button-group",
|
|
14
|
+
"calendar",
|
|
15
|
+
"card",
|
|
16
|
+
"carousel",
|
|
17
|
+
"chart",
|
|
18
|
+
"checkbox",
|
|
19
|
+
"collapsible",
|
|
20
|
+
"combobox",
|
|
21
|
+
"command",
|
|
22
|
+
"context-menu",
|
|
23
|
+
"data-table",
|
|
24
|
+
"date-picker",
|
|
25
|
+
"dialog",
|
|
26
|
+
"drawer",
|
|
27
|
+
"dropdown-menu",
|
|
28
|
+
"empty",
|
|
29
|
+
"field",
|
|
30
|
+
"form",
|
|
31
|
+
"hover-card",
|
|
32
|
+
"input",
|
|
33
|
+
"input-group",
|
|
34
|
+
"input-otp",
|
|
35
|
+
"item",
|
|
36
|
+
"kbd",
|
|
37
|
+
"label",
|
|
38
|
+
"menubar",
|
|
39
|
+
"native-select",
|
|
40
|
+
"navigation-menu",
|
|
41
|
+
"pagination",
|
|
42
|
+
"popover",
|
|
43
|
+
"progress",
|
|
44
|
+
"radio-group",
|
|
45
|
+
"resizable",
|
|
46
|
+
"scroll-area",
|
|
47
|
+
"select",
|
|
48
|
+
"separator",
|
|
49
|
+
"sheet",
|
|
50
|
+
"sidebar",
|
|
51
|
+
"skeleton",
|
|
52
|
+
"slider",
|
|
53
|
+
"sonner",
|
|
54
|
+
"spinner",
|
|
55
|
+
"switch",
|
|
56
|
+
"table",
|
|
57
|
+
"tabs",
|
|
58
|
+
"textarea",
|
|
59
|
+
"toast",
|
|
60
|
+
"toggle",
|
|
61
|
+
"toggle-group",
|
|
62
|
+
"tooltip",
|
|
63
|
+
"typography",
|
|
64
|
+
] as const;
|
|
65
|
+
|
|
66
|
+
type WhitelistedComponent = (typeof WHITELISTED_COMPONENTS)[number];
|
|
67
|
+
|
|
68
|
+
export interface ComponentsConfig {
|
|
69
|
+
components: string;
|
|
70
|
+
utils: string;
|
|
71
|
+
ui: string;
|
|
72
|
+
lib: string;
|
|
73
|
+
hooks: string;
|
|
74
|
+
registries?: Record<string, unknown>;
|
|
75
|
+
isSrcDir?: boolean;
|
|
76
|
+
}
|
|
77
|
+
|
|
78
|
+
function findComponentsJson(startDir: string): string | null {
|
|
79
|
+
let currentDir = startDir;
|
|
80
|
+
|
|
81
|
+
while (true) {
|
|
82
|
+
const manifestPath = path.join(currentDir, "components.json");
|
|
83
|
+
if (fs.existsSync(manifestPath)) {
|
|
84
|
+
return manifestPath;
|
|
85
|
+
}
|
|
86
|
+
|
|
87
|
+
const parentDir = path.dirname(currentDir);
|
|
88
|
+
if (parentDir === currentDir) {
|
|
89
|
+
break;
|
|
90
|
+
}
|
|
91
|
+
currentDir = parentDir;
|
|
92
|
+
}
|
|
93
|
+
|
|
94
|
+
return null;
|
|
95
|
+
}
|
|
96
|
+
|
|
97
|
+
export function findComponentFiles(
|
|
98
|
+
config: ComponentsConfig,
|
|
99
|
+
originalFiles: { path: string }[],
|
|
100
|
+
): string[] {
|
|
101
|
+
const registryDependencies: string[] = [];
|
|
102
|
+
const compDir = config.ui.replace("@/", config.isSrcDir ? "src/" : "");
|
|
103
|
+
|
|
104
|
+
const registriesConfig = config.registries ?? {};
|
|
105
|
+
const registryNamespaces = Object.keys(registriesConfig);
|
|
106
|
+
const defaultNamespace =
|
|
107
|
+
registryNamespaces.find((name) => name === "@shadcn") ??
|
|
108
|
+
registryNamespaces[0] ??
|
|
109
|
+
null;
|
|
110
|
+
|
|
111
|
+
for (const { path: filePath } of originalFiles) {
|
|
112
|
+
if (filePath.startsWith(compDir)) {
|
|
113
|
+
const fileExtension = path.extname(filePath);
|
|
114
|
+
const fileName = path.basename(filePath, fileExtension) as WhitelistedComponent;
|
|
115
|
+
if (
|
|
116
|
+
(fileExtension === ".tsx" || fileExtension === ".jsx") &&
|
|
117
|
+
WHITELISTED_COMPONENTS.includes(fileName)
|
|
118
|
+
) {
|
|
119
|
+
const baseName = path.basename(filePath, fileExtension);
|
|
120
|
+
const dependencyName = defaultNamespace
|
|
121
|
+
? `${defaultNamespace}/${baseName}`
|
|
122
|
+
: baseName;
|
|
123
|
+
registryDependencies.push(dependencyName);
|
|
124
|
+
}
|
|
125
|
+
}
|
|
126
|
+
}
|
|
127
|
+
|
|
128
|
+
return registryDependencies;
|
|
129
|
+
}
|
|
130
|
+
|
|
131
|
+
export function readComponentsManifest(dir: string): ComponentsConfig {
|
|
132
|
+
const manifestPath = findComponentsJson(dir);
|
|
133
|
+
|
|
134
|
+
if (!manifestPath) {
|
|
135
|
+
console.error("Components manifest (components.json) not found");
|
|
136
|
+
process.exit(1);
|
|
137
|
+
}
|
|
138
|
+
|
|
139
|
+
const json = JSON.parse(fs.readFileSync(manifestPath, "utf-8")) as {
|
|
140
|
+
aliases: Omit<ComponentsConfig, "registries" | "isSrcDir">;
|
|
141
|
+
registries?: ComponentsConfig["registries"];
|
|
142
|
+
};
|
|
143
|
+
|
|
144
|
+
return {
|
|
145
|
+
...json.aliases,
|
|
146
|
+
registries: json.registries ?? {},
|
|
147
|
+
};
|
|
148
|
+
}
|
|
149
|
+
|
|
150
|
+
export function getAliasedPaths(config: ComponentsConfig): string[] {
|
|
151
|
+
return [
|
|
152
|
+
config.components.replace("@/", ""),
|
|
153
|
+
config.utils.replace("@/", ""),
|
|
154
|
+
config.ui.replace("@/", ""),
|
|
155
|
+
config.lib.replace("@/", ""),
|
|
156
|
+
config.hooks.replace("@/", ""),
|
|
157
|
+
];
|
|
158
|
+
}
|
|
159
|
+
|
|
160
|
+
export function isBuiltinComponent(
|
|
161
|
+
config: ComponentsConfig,
|
|
162
|
+
filePath: string,
|
|
163
|
+
): boolean {
|
|
164
|
+
if (filePath.startsWith(config.ui.replace("@/", ""))) {
|
|
165
|
+
const component = path.basename(filePath, path.extname(filePath));
|
|
166
|
+
return (WHITELISTED_COMPONENTS as readonly string[]).includes(component);
|
|
167
|
+
}
|
|
168
|
+
return false;
|
|
169
|
+
}
|
|
170
|
+
|