lapikit 0.0.0-insiders.5c91a65 → 0.0.0-insiders.5d0a372

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.
@@ -0,0 +1,298 @@
1
+ #!/usr/bin/env node
2
+ import { promises as fs } from 'fs';
3
+ import path from 'path';
4
+ import { terminal } from './helper.js';
5
+ import presets from './presets.js';
6
+
7
+ async function findReferenceFile(projectPath) {
8
+ const routesPath = path.join(projectPath, 'src', 'routes');
9
+
10
+ try {
11
+ await fs.access(routesPath);
12
+ } catch {
13
+ terminal('error', `Lapikit cannot find the routes/ directory.`);
14
+ // throw new Error('Lapikit cannot find the routes/ directory.');
15
+ }
16
+
17
+ const layoutFile = path.join(routesPath, '+layout.svelte');
18
+ try {
19
+ await fs.access(layoutFile);
20
+ return layoutFile;
21
+ } catch {
22
+ // +layout.svelte not found in routes/
23
+ }
24
+
25
+ const pageFile = path.join(routesPath, '+page.svelte');
26
+ try {
27
+ await fs.access(pageFile);
28
+ return pageFile;
29
+ } catch {
30
+ // +page.svelte not found in routes/
31
+ }
32
+
33
+ try {
34
+ const entries = await fs.readdir(routesPath, { withFileTypes: true });
35
+ const subDirectories = entries.filter((entry) => entry.isDirectory());
36
+
37
+ for (const dir of subDirectories) {
38
+ const subDirPath = path.join(routesPath, dir.name);
39
+
40
+ const subLayoutFile = path.join(subDirPath, '+layout.svelte');
41
+ try {
42
+ await fs.access(subLayoutFile);
43
+ return subLayoutFile;
44
+ } catch {
45
+ // +layout.svelte not found in subdirectory
46
+ }
47
+
48
+ const subPageFile = path.join(subDirPath, '+page.svelte');
49
+ try {
50
+ await fs.access(subPageFile);
51
+ return subPageFile;
52
+ } catch {
53
+ // +page.svelte not found in subdirectory
54
+ }
55
+ }
56
+ } catch {
57
+ // Error reading routes directory
58
+ }
59
+
60
+ throw new Error('Not found +layout or +page main on your project.');
61
+ }
62
+
63
+ async function addImportToReferenceFile(targetFile, referenceFile) {
64
+ try {
65
+ const content = await fs.readFile(referenceFile, 'utf-8');
66
+ const relativePath = path.relative(path.dirname(referenceFile), targetFile);
67
+ const importStatement = `import "${relativePath.startsWith('.') ? relativePath : './' + relativePath}";\n`;
68
+
69
+ if (content.includes(`import "${relativePath}"`)) {
70
+ terminal('info', `Import statement already exists in ${referenceFile}`);
71
+ return;
72
+ }
73
+
74
+ const lines = content.split('\n');
75
+ let insertIndex = -1;
76
+
77
+ for (let i = 0; i < lines.length; i++) {
78
+ const line = lines[i].trim();
79
+ if (line.startsWith('<script>') || line.startsWith('<script lang="ts">')) {
80
+ insertIndex = i + 1;
81
+ break;
82
+ }
83
+ }
84
+
85
+ if (insertIndex === -1) {
86
+ throw new Error(`No found balise <script> ou <script lang="ts"> ${referenceFile}`);
87
+ }
88
+
89
+ let finalInsertIndex = insertIndex;
90
+ for (let i = insertIndex; i < lines.length; i++) {
91
+ const line = lines[i].trim();
92
+
93
+ if (line === '</script>') {
94
+ break;
95
+ }
96
+
97
+ if (line === '' || line.startsWith('import ') || line.startsWith('//')) {
98
+ finalInsertIndex = i + 1;
99
+ } else {
100
+ break;
101
+ }
102
+ }
103
+
104
+ lines.splice(finalInsertIndex, 0, `\t${importStatement.trim()}`);
105
+ const newContent = lines.join('\n');
106
+
107
+ await fs.writeFile(referenceFile, newContent);
108
+ terminal('info', `Import has been added to ${referenceFile}`);
109
+ } catch (error) {
110
+ terminal('error', `Error adding import: ${error.message}`);
111
+ throw error;
112
+ }
113
+ }
114
+
115
+ async function findViteConfigFile(projectPath, typescript) {
116
+ const ext = typescript ? 'ts' : 'js';
117
+ const viteConfigFile = path.join(projectPath, `vite.config.${ext}`);
118
+
119
+ try {
120
+ await fs.access(viteConfigFile);
121
+ return viteConfigFile;
122
+ } catch {
123
+ // Try the other extension if the preferred one doesn't exist
124
+ const alternativeExt = typescript ? 'js' : 'ts';
125
+ const alternativeFile = path.join(projectPath, `vite.config.${alternativeExt}`);
126
+
127
+ try {
128
+ await fs.access(alternativeFile);
129
+ return alternativeFile;
130
+ } catch {
131
+ throw new Error(`No vite.config.js or vite.config.ts file found in ${projectPath}`);
132
+ }
133
+ }
134
+ }
135
+
136
+ async function addLapikitToViteConfig(viteConfigFile) {
137
+ try {
138
+ const content = await fs.readFile(viteConfigFile, 'utf-8');
139
+ const lapikitImport = `import { lapikit } from 'lapikit/vite';`;
140
+
141
+ // Check if lapikit import already exists
142
+ if (content.includes(lapikitImport) || content.includes(`from 'lapikit/vite'`)) {
143
+ terminal('info', `Lapikit import already exists in ${viteConfigFile}`);
144
+ return;
145
+ }
146
+
147
+ const lines = content.split('\n');
148
+ let importInsertIndex = -1;
149
+ let pluginAdded = false;
150
+
151
+ // Find where to insert the import (after other imports)
152
+ for (let i = 0; i < lines.length; i++) {
153
+ const line = lines[i].trim();
154
+
155
+ if (line.startsWith('import ') && !line.includes('type ')) {
156
+ importInsertIndex = i + 1;
157
+ } else if (
158
+ line === '' &&
159
+ importInsertIndex !== -1 &&
160
+ lines[i + 1] &&
161
+ !lines[i + 1].trim().startsWith('import ')
162
+ ) {
163
+ importInsertIndex = i;
164
+ break;
165
+ }
166
+ }
167
+
168
+ // If no imports found, insert at the beginning
169
+ if (importInsertIndex === -1) {
170
+ importInsertIndex = 0;
171
+ }
172
+
173
+ // Insert the lapikit import
174
+ lines.splice(importInsertIndex, 0, lapikitImport);
175
+
176
+ // Find and update the plugins array
177
+ for (let i = 0; i < lines.length; i++) {
178
+ const line = lines[i].trim();
179
+
180
+ if (line.includes('plugins:') && line.includes('[') && line.includes(']')) {
181
+ // Single line plugins array
182
+ if (line.includes('sveltekit()')) {
183
+ const pluginMatch = line.match(/plugins:\s*\[(.*)\]/);
184
+ if (pluginMatch) {
185
+ const pluginsContent = pluginMatch[1];
186
+ if (!pluginsContent.includes('lapikit()')) {
187
+ const newPluginsContent = pluginsContent.replace(
188
+ /sveltekit\(\)/,
189
+ 'sveltekit(), lapikit()'
190
+ );
191
+ lines[i] = line.replace(pluginsContent, newPluginsContent);
192
+ pluginAdded = true;
193
+ }
194
+ }
195
+ }
196
+ break;
197
+ } else if (line.includes('plugins:') && line.includes('[') && !line.includes(']')) {
198
+ // Multi-line plugins array start
199
+ for (let j = i; j < lines.length; j++) {
200
+ const pluginLine = lines[j].trim();
201
+
202
+ if (pluginLine.includes('sveltekit()') && !pluginAdded) {
203
+ // Check if lapikit() is not already present
204
+ let hasLapikit = false;
205
+ for (let k = i; k < lines.length && !lines[k].includes(']'); k++) {
206
+ if (lines[k].includes('lapikit()')) {
207
+ hasLapikit = true;
208
+ break;
209
+ }
210
+ }
211
+
212
+ if (!hasLapikit) {
213
+ // Add lapikit() after sveltekit()
214
+ if (pluginLine.includes(',')) {
215
+ lines[j] = lines[j].replace('sveltekit()', 'sveltekit(), lapikit()');
216
+ } else {
217
+ lines[j] = lines[j].replace('sveltekit()', 'sveltekit(),');
218
+ // Insert lapikit() on the next line with proper indentation
219
+ const indentation = lines[j].match(/^\s*/)[0];
220
+ lines.splice(j + 1, 0, `${indentation}lapikit()`);
221
+ }
222
+ pluginAdded = true;
223
+ }
224
+ break;
225
+ }
226
+
227
+ if (pluginLine.includes(']')) {
228
+ break;
229
+ }
230
+ }
231
+ break;
232
+ }
233
+ }
234
+
235
+ if (!pluginAdded) {
236
+ terminal('warn', `Could not find sveltekit() in plugins array to add lapikit() after it`);
237
+ }
238
+
239
+ const newContent = lines.join('\n');
240
+ await fs.writeFile(viteConfigFile, newContent);
241
+ terminal('info', `Lapikit import and plugin added to ${viteConfigFile}`);
242
+ } catch (error) {
243
+ terminal('error', `Error adding lapikit to vite config: ${error.message}`);
244
+ throw error;
245
+ }
246
+ }
247
+
248
+ export async function initConfiguration(options) {
249
+ const { typescript, pathConfig, formatCSS } = options;
250
+ const ext = typescript ? 'ts' : 'js';
251
+ const targetDir = path.resolve(process.cwd(), pathConfig);
252
+ const targetFile = path.join(targetDir, `lapikit.${ext}`);
253
+
254
+ await fs.mkdir(targetDir, { recursive: true });
255
+
256
+ let fileCreated = false;
257
+
258
+ // Create Lapikit config
259
+ try {
260
+ await fs.access(targetFile);
261
+ terminal('info', `File ${targetFile} already exists.`);
262
+ } catch {
263
+ terminal('info', `Creating file: ${targetFile}`);
264
+ const content = presets({
265
+ adapterCSS: formatCSS
266
+ });
267
+ await fs.writeFile(targetFile, content);
268
+ terminal('info', `File created: ${targetFile}`);
269
+ fileCreated = true;
270
+ }
271
+
272
+ // Add Import Lapikit plugin
273
+ try {
274
+ const referenceFile = await findReferenceFile(process.cwd());
275
+ await addImportToReferenceFile(targetFile, referenceFile);
276
+ } catch (error) {
277
+ terminal('error', `Error adding import: ${error.message}`);
278
+
279
+ if (fileCreated) {
280
+ try {
281
+ await fs.unlink(targetFile);
282
+ terminal('info', `File ${targetFile} deleted due to error.`);
283
+ } catch {
284
+ // Ignore deletion error
285
+ }
286
+ }
287
+ throw error;
288
+ }
289
+
290
+ // Add lapikit to vite.config file
291
+ try {
292
+ const viteConfigFile = await findViteConfigFile(process.cwd(), typescript);
293
+ await addLapikitToViteConfig(viteConfigFile);
294
+ } catch (error) {
295
+ terminal('warn', `Warning: Could not update vite.config file: ${error.message}`);
296
+ terminal('error', `Error adding lapikit to vite config: ${error.message}`);
297
+ }
298
+ }
package/bin/index.js CHANGED
@@ -1,9 +1,10 @@
1
1
  #!/usr/bin/env node
2
- import prompts from 'prompts';
2
+ import { initConfiguration } from './configuration.js';
3
3
  import { ansi, terminal } from './helper.js';
4
4
  import { legacyConfiguration } from './legacy.js';
5
+ import { initPrompts } from './prompts.js';
5
6
 
6
- async function main() {
7
+ async function run() {
7
8
  console.log(' _ _ _ _ _ ');
8
9
  console.log(' | | (_) | (_) | ');
9
10
  console.log(' | | __ _ _ __ _| | ___| |_ ');
@@ -15,99 +16,26 @@ async function main() {
15
16
 
16
17
  terminal('none', `${ansi.bold.blue('Lapikit')} - Component Library for Svelte\n\n`);
17
18
 
18
- const { confirm } = await prompts({
19
- type: 'toggle',
20
- name: 'confirm',
21
- message: 'Start install Lapikit on your app?',
22
- initial: true,
23
- active: 'Yes',
24
- inactive: 'No'
25
- });
19
+ const promptsConfig = await initPrompts();
26
20
 
27
- if (!confirm) {
28
- console.log('❌ Installation canceled. See you soon.');
29
- process.exit(0);
21
+ if (promptsConfig.env === 'current') {
22
+ await legacyConfiguration(promptsConfig);
30
23
  }
31
- // temps with legacy and new process install
32
- const { type } = await prompts({
33
- type: 'select',
34
- name: 'type',
35
- message: 'Select installation type:',
36
- choices: [
37
- { title: 'Classic install with lapikit.config.js', value: 'current' },
38
- {
39
- title: 'Preview install with new plugin/lapikit.(js|ts) <experimental>',
40
- value: 'experimental'
41
- }
42
- ]
43
- });
44
-
45
- if (type === 'current') {
46
- // Classic install
47
- const settings = await prompts([
48
- {
49
- type: 'text',
50
- name: 'pathCSS',
51
- message: 'Where would you like to import the lapikit CSS files?',
52
- initial: 'src/app.css',
53
- validate: (value) =>
54
- value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
55
- }
56
- ]);
57
-
58
- await legacyConfiguration(settings);
59
- } else if (type === 'experimental') {
60
- // Preview install
61
- let settings = await prompts([
62
- {
63
- type: 'text',
64
- name: 'pathConfig',
65
- message: 'Where would you like to install the lapikit configuration files?',
66
- initial: 'src/plugins',
67
- validate: (value) =>
68
- value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
69
- },
70
- {
71
- type: 'toggle',
72
- name: 'typescript',
73
- message: 'Use TypeScript?',
74
- initial: true,
75
- active: 'Yes',
76
- inactive: 'No'
77
- },
78
- {
79
- type: 'select',
80
- name: 'formatCSS',
81
- message: 'What is your CSS format used on your app?',
82
- choices: [
83
- { title: 'Common ( CSS / SASS / SCSS / LESS / other libs )', value: 'global' },
84
- {
85
- title: 'TailwindCSS (v4)',
86
- value: 'tailwind-v4'
87
- },
88
- {
89
- title: 'UnoCSS',
90
- value: 'unocss'
91
- }
92
- ]
93
- }
94
- ]);
95
24
 
96
- if (settings.formatCSS !== 'global') {
97
- const css = await prompts({
98
- type: 'text',
99
- name: 'pathCSS',
100
- message: 'Where would you like to import the lapikit CSS files?',
101
- initial: 'src/app.css',
102
- validate: (value) =>
103
- value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
104
- });
105
-
106
- settings = { ...settings, ...css };
107
- }
108
-
109
- console.log('response config', settings);
25
+ if (promptsConfig.env === 'experimental') {
26
+ terminal('warn', `Experimental mode is not yet implemented.`);
27
+ await initConfiguration(promptsConfig);
110
28
  }
111
29
  }
112
30
 
113
- main();
31
+ run()
32
+ .then(() => {
33
+ terminal('none', `\n\n\n\nWebsite: https://lapikit.dev`);
34
+ terminal('none', `Github: https://github.com/nycolaide/lapikit`);
35
+ terminal('none', `Support the developement: https://buymeacoffee.com/nycolaide`);
36
+ process.exit(0);
37
+ })
38
+ .catch((error) => {
39
+ terminal('error', `Error: ${error}`);
40
+ process.exit(1);
41
+ });
package/bin/presets.js ADDED
@@ -0,0 +1,25 @@
1
+ function presets({ adapterCSS }) {
2
+ let content = '';
3
+
4
+ content += `/**\n`;
5
+ content += ` * Lapikit\n`;
6
+ content += ` * Library documentation: https://lapikit.dev\n`;
7
+ content += ` */\n\n`;
8
+
9
+ if (adapterCSS === 'css') {
10
+ content += `// Styles\n`;
11
+ content += `import 'lapikit/css';\n\n`;
12
+ }
13
+
14
+ content += `// Composables\n`;
15
+ content += `import createLapikit from 'lapikit';\n\n`;
16
+
17
+ content += `// https://lapikit.dev/docs/getting-started\n`;
18
+ content += `export default createLapikit({\n`;
19
+ content += `\tadapterCSS: "${adapterCSS}",\n`;
20
+ content += `\n});`;
21
+
22
+ return content;
23
+ }
24
+
25
+ export default presets;
package/bin/prompts.js ADDED
@@ -0,0 +1,100 @@
1
+ #!/usr/bin/env node
2
+ import prompts from 'prompts';
3
+ import { terminal } from './helper.js';
4
+
5
+ export async function initPrompts() {
6
+ const { confirm } = await prompts({
7
+ type: 'toggle',
8
+ name: 'confirm',
9
+ message: 'Launch install Lapikit on your project?',
10
+ initial: true,
11
+ active: 'Yes',
12
+ inactive: 'No'
13
+ });
14
+
15
+ if (!confirm) {
16
+ terminal('warn', `installation canceled.`);
17
+ process.exit(0);
18
+ }
19
+ // temps with legacy and new process install
20
+ const { type } = await prompts({
21
+ type: 'select',
22
+ name: 'type',
23
+ message: 'Select installation type:',
24
+ choices: [
25
+ { title: 'Classic install with lapikit.config.js', value: 'current' },
26
+ {
27
+ title: 'Preview install with new plugin/lapikit.(js|ts) <experimental>',
28
+ value: 'experimental'
29
+ }
30
+ ]
31
+ });
32
+
33
+ if (type === 'current') {
34
+ // Classic install
35
+ const settings = await prompts([
36
+ {
37
+ type: 'text',
38
+ name: 'pathCSS',
39
+ message: 'Where would you like to import the lapikit CSS files?',
40
+ initial: 'src/app.css',
41
+ validate: (value) =>
42
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
43
+ }
44
+ ]);
45
+
46
+ return {
47
+ ...settings,
48
+ env: 'current'
49
+ };
50
+ } else if (type === 'experimental') {
51
+ // Preview install
52
+ let settings = await prompts([
53
+ {
54
+ type: 'text',
55
+ name: 'pathConfig',
56
+ message: 'Where would you like to install the lapikit configuration files?',
57
+ initial: 'src/plugins',
58
+ validate: (value) =>
59
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
60
+ },
61
+ {
62
+ type: 'toggle',
63
+ name: 'typescript',
64
+ message: 'Use TypeScript?',
65
+ initial: true,
66
+ active: 'Yes',
67
+ inactive: 'No'
68
+ },
69
+ {
70
+ type: 'select',
71
+ name: 'formatCSS',
72
+ message: 'What is your CSS format used on your app?',
73
+ choices: [
74
+ { title: 'Basic (classic import)', value: 'css' },
75
+ {
76
+ title: 'TailwindCSS (v4)',
77
+ value: 'tailwind-v4'
78
+ },
79
+ {
80
+ title: 'UnoCSS',
81
+ value: 'unocss'
82
+ }
83
+ ]
84
+ },
85
+ {
86
+ type: (prev) => (prev !== 'css' ? 'text' : null),
87
+ name: 'pathCSS',
88
+ message: 'Where would you like to import the lapikit CSS files?',
89
+ initial: 'src/app.css',
90
+ validate: (value) =>
91
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
92
+ }
93
+ ]);
94
+
95
+ return {
96
+ ...settings,
97
+ env: 'experimental'
98
+ };
99
+ }
100
+ }
package/dist/index.d.ts CHANGED
@@ -1 +1,5 @@
1
- export declare function helloWorld(): void;
1
+ interface Lapikit {
2
+ adapterCSS: string;
3
+ }
4
+ declare function createLapikit(lapikit: Lapikit): void;
5
+ export default createLapikit;
package/dist/index.js CHANGED
@@ -1,4 +1,5 @@
1
- // Reexport your entry components here
2
- export function helloWorld() {
3
- console.log('Hello world, this is lapikit!');
1
+ function createLapikit(lapikit) {
2
+ console.log('Creating a new Lapikit instance...');
3
+ console.log('Options loaded:', lapikit);
4
4
  }
5
+ export default createLapikit;
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "lapikit",
3
- "version": "0.0.0-insiders.5c91a65",
3
+ "version": "0.0.0-insiders.5d0a372",
4
4
  "license": "MIT",
5
5
  "publishConfig": {
6
6
  "access": "public"