lapikit 0.0.0-insiders.df219d7 → 0.0.0-insiders.e552ce3

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,152 @@
1
+ #!/usr/bin/env node
2
+ import { promises as fs } from 'fs';
3
+ import path from 'path';
4
+ import presets from './presets.js';
5
+
6
+ async function findReferenceFile(projectPath) {
7
+ const routesPath = path.join(projectPath, 'src', 'routes');
8
+
9
+ try {
10
+ await fs.access(routesPath);
11
+ } catch {
12
+ throw new Error('Lapikit cannot find the routes/ directory.');
13
+ }
14
+
15
+ const layoutFile = path.join(routesPath, '+layout.svelte');
16
+ try {
17
+ await fs.access(layoutFile);
18
+ return layoutFile;
19
+ } catch {
20
+ // +layout.svelte not found in routes/
21
+ }
22
+
23
+ const pageFile = path.join(routesPath, '+page.svelte');
24
+ try {
25
+ await fs.access(pageFile);
26
+ return pageFile;
27
+ } catch {
28
+ // +page.svelte not found in routes/
29
+ }
30
+
31
+ try {
32
+ const entries = await fs.readdir(routesPath, { withFileTypes: true });
33
+ const subDirectories = entries.filter((entry) => entry.isDirectory());
34
+
35
+ for (const dir of subDirectories) {
36
+ const subDirPath = path.join(routesPath, dir.name);
37
+
38
+ const subLayoutFile = path.join(subDirPath, '+layout.svelte');
39
+ try {
40
+ await fs.access(subLayoutFile);
41
+ return subLayoutFile;
42
+ } catch {
43
+ // +layout.svelte not found in subdirectory
44
+ }
45
+
46
+ const subPageFile = path.join(subDirPath, '+page.svelte');
47
+ try {
48
+ await fs.access(subPageFile);
49
+ return subPageFile;
50
+ } catch {
51
+ // +page.svelte not found in subdirectory
52
+ }
53
+ }
54
+ } catch {
55
+ // Error reading routes directory
56
+ }
57
+
58
+ throw new Error('Not found +layout or +page main on your project.');
59
+ }
60
+
61
+ async function addImportToReferenceFile(targetFile, referenceFile) {
62
+ try {
63
+ const content = await fs.readFile(referenceFile, 'utf-8');
64
+ const relativePath = path.relative(path.dirname(referenceFile), targetFile);
65
+ const importStatement = `import "${relativePath.startsWith('.') ? relativePath : './' + relativePath}";\n`;
66
+
67
+ if (content.includes(`import "${relativePath}"`)) {
68
+ console.log(`import has already exist ${referenceFile}`);
69
+ return;
70
+ }
71
+
72
+ const lines = content.split('\n');
73
+ let insertIndex = -1;
74
+
75
+ for (let i = 0; i < lines.length; i++) {
76
+ const line = lines[i].trim();
77
+ if (line.startsWith('<script>') || line.startsWith('<script lang="ts">')) {
78
+ insertIndex = i + 1;
79
+ break;
80
+ }
81
+ }
82
+
83
+ if (insertIndex === -1) {
84
+ throw new Error(`No found balise <script> ou <script lang="ts"> ${referenceFile}`);
85
+ }
86
+
87
+ let finalInsertIndex = insertIndex;
88
+ for (let i = insertIndex; i < lines.length; i++) {
89
+ const line = lines[i].trim();
90
+
91
+ if (line === '</script>') {
92
+ break;
93
+ }
94
+
95
+ if (line === '' || line.startsWith('import ') || line.startsWith('//')) {
96
+ finalInsertIndex = i + 1;
97
+ } else {
98
+ break;
99
+ }
100
+ }
101
+
102
+ lines.splice(finalInsertIndex, 0, `\t${importStatement.trim()}`);
103
+ const newContent = lines.join('\n');
104
+
105
+ await fs.writeFile(referenceFile, newContent);
106
+ console.log(`Import has added on ${referenceFile}`);
107
+ } catch (error) {
108
+ console.error(`Error adding import: ${error.message}`);
109
+ throw error;
110
+ }
111
+ }
112
+
113
+ export async function initConfiguration(options) {
114
+ console.log('initConfiguration called with:', options);
115
+ const { typescript, pathConfig, formatCSS } = options;
116
+ const ext = typescript ? 'ts' : 'js';
117
+ const targetDir = path.resolve(process.cwd(), pathConfig);
118
+ const targetFile = path.join(targetDir, `lapikit.${ext}`);
119
+
120
+ await fs.mkdir(targetDir, { recursive: true });
121
+
122
+ let fileCreated = false;
123
+ try {
124
+ console.log(`Trying to access ${targetFile}`);
125
+ await fs.access(targetFile);
126
+ console.log(`File ${targetFile} already exists.`);
127
+ } catch {
128
+ console.log(`Creating file: ${targetFile}`);
129
+ const content = presets({
130
+ classic: formatCSS === 'global'
131
+ });
132
+ await fs.writeFile(targetFile, content);
133
+ console.log(`File created : ${targetFile}`);
134
+ fileCreated = true;
135
+ }
136
+ try {
137
+ const referenceFile = await findReferenceFile(process.cwd());
138
+ await addImportToReferenceFile(targetFile, referenceFile);
139
+ } catch (error) {
140
+ console.error(`Error: ${error.message}`);
141
+ // If the file was just created and we can't add the import, delete it
142
+ if (fileCreated) {
143
+ try {
144
+ await fs.unlink(targetFile);
145
+ console.log(`File ${targetFile} deleted due to error.`);
146
+ } catch {
147
+ // Ignore deletion error
148
+ }
149
+ }
150
+ throw error;
151
+ }
152
+ }
package/bin/index.js CHANGED
@@ -1,8 +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
+ import { legacyConfiguration } from './legacy.js';
5
+ import { initPrompts } from './prompts.js';
4
6
 
5
- async function main() {
7
+ async function run() {
6
8
  console.log(' _ _ _ _ _ ');
7
9
  console.log(' | | (_) | (_) | ');
8
10
  console.log(' | | __ _ _ __ _| | ___| |_ ');
@@ -12,54 +14,28 @@ async function main() {
12
14
  console.log(' | | ');
13
15
  console.log(' |_| \n');
14
16
 
15
- terminal('none', `${ansi.bold.blue('LAPIKIT')} - Component Library for Svelte\n\n`);
17
+ terminal('none', `${ansi.bold.blue('Lapikit')} - Component Library for Svelte\n\n`);
16
18
 
17
- const { confirm } = await prompts({
18
- type: 'toggle',
19
- name: 'confirm',
20
- message: 'Start install Lapikit on your app?',
21
- initial: true,
22
- active: 'Yes',
23
- inactive: 'No'
24
- });
19
+ const promptsConfig = await initPrompts();
25
20
 
26
- if (!confirm) {
27
- console.log('❌ Installation canceled. See you soon.');
28
- process.exit(0);
21
+ if (promptsConfig.env === 'current') {
22
+ await legacyConfiguration(promptsConfig);
29
23
  }
30
24
 
31
- // const response = await prompts([
32
- // {
33
- // type: 'text',
34
- // name: 'projectName',
35
- // message: 'Project name ?',
36
- // initial: 'lapikit-app'
37
- // },
38
- // {
39
- // type: 'select',
40
- // name: 'theme',
41
- // message: 'Choice theme :',
42
- // choices: [
43
- // { title: 'Light', value: 'light' },
44
- // { title: 'Dark', value: 'dark' },
45
- // { title: 'Auto', value: 'auto' }
46
- // ],
47
- // initial: 0
48
- // },
49
- // {
50
- // type: 'toggle',
51
- // name: 'typescript',
52
- // message: 'Use TypeScript ?',
53
- // initial: true,
54
- // active: 'Yes',
55
- // inactive: 'No'
56
- // }
57
- // ]);
58
-
59
- // console.log('\n Resume :');
60
- // console.log(JSON.stringify(response, null, 2));
61
-
62
- // console.log(`Config : ${configFile}`);
25
+ if (promptsConfig.env === 'experimental') {
26
+ terminal('warn', `Experimental mode is not yet implemented.`);
27
+ await initConfiguration(promptsConfig);
28
+ }
63
29
  }
64
30
 
65
- main();
31
+ run()
32
+ .then(() => {
33
+ console.log('Website: https://lapikit.dev');
34
+ console.log('Github: https://github.com/nycolaide/lapikit');
35
+ console.log('Support the developement: https://buymeacoffee.com/nycolaide');
36
+ process.exit(0);
37
+ })
38
+ .catch((error) => {
39
+ console.error(`\n${red('✖')} ${error}\n`);
40
+ process.exit(1);
41
+ });
package/bin/legacy.js ADDED
@@ -0,0 +1,34 @@
1
+ #!/usr/bin/env node
2
+ import { promises as fs } from 'fs';
3
+ import path from 'path';
4
+ import { preset } from './modules/preset.js';
5
+ import { ansi, terminal, envTypescript } from './helper.js';
6
+ import { adapterCSSConfig, adapterViteConfig } from './modules/adapter.js';
7
+
8
+ export async function legacyConfiguration(options) {
9
+ const typescriptEnabled = envTypescript();
10
+ const configPath = path.resolve(process.cwd(), 'lapikit.config.js');
11
+
12
+ try {
13
+ await fs.writeFile(configPath, preset.trim() + '\n', 'utf8');
14
+ terminal('success', `has create lapikit.config.js on your project.`);
15
+ } catch (error) {
16
+ terminal('error', `failed to create configuration file:\n\n ${error}`);
17
+ terminal(
18
+ 'warn',
19
+ `you can create lapikit.config.js manually, please visite https://lapikit.dev/docs/getting-started for more information`
20
+ );
21
+ }
22
+
23
+ await adapterViteConfig(typescriptEnabled);
24
+ await adapterCSSConfig(options);
25
+
26
+ terminal(
27
+ 'info',
28
+ `${ansi.bold.blue('Thank to use lapikit, discover all posibility with lapikit on https://lapikit.dev')}\n\n`
29
+ );
30
+
31
+ console.log('Website: https://lapikit.dev');
32
+ console.log('Github: https://github.com/nycolaide/lapikit');
33
+ console.log('Support the developement: https://buymeacoffee.com/nycolaide');
34
+ }
@@ -1,6 +1,6 @@
1
1
  import { promises as fs } from 'fs';
2
2
  import path from 'path';
3
- import { getCssPathFromArgs, terminal } from '../helper.js';
3
+ import { terminal } from '../helper.js';
4
4
 
5
5
  const importLapikitVite = `import { lapikit } from 'lapikit/vite';`;
6
6
  const importLapikitCss = `@import 'lapikit/css';`;
@@ -33,8 +33,8 @@ export async function adapterViteConfig(typescript) {
33
33
  }
34
34
  }
35
35
 
36
- export async function adapterCSSConfig() {
37
- const cssPath = getCssPathFromArgs();
36
+ export async function adapterCSSConfig(options) {
37
+ const cssPath = options?.pathCSS || 'src/app.css';
38
38
  const resolvedPath = path.resolve(process.cwd(), cssPath);
39
39
  try {
40
40
  await fs.access(resolvedPath);
package/bin/presets.js ADDED
@@ -0,0 +1,23 @@
1
+ function presets({ classic }) {
2
+ let content = '';
3
+
4
+ content += `/**\n`;
5
+ content += `\t* Lapikit\n`;
6
+ content += `\t* Library documentation: https://lapikit.dev\n`;
7
+ content += ` */\n\n`;
8
+
9
+ if (classic) {
10
+ content += `// Classic\n`;
11
+ content += `import 'lapikit/css';\n\n`;
12
+ }
13
+
14
+ content += `// Composables\n`;
15
+ content += `import { helloWorld } from 'lapikit';\n\n`;
16
+
17
+ content += `// https://lapikit.dev/docs/getting-started\n`;
18
+ content += `export default helloWorld();`;
19
+
20
+ return content;
21
+ }
22
+
23
+ export default presets;
package/bin/prompts.js ADDED
@@ -0,0 +1,101 @@
1
+ #!/usr/bin/env node
2
+ import prompts from 'prompts';
3
+
4
+ export async function initPrompts() {
5
+ const { confirm } = await prompts({
6
+ type: 'toggle',
7
+ name: 'confirm',
8
+ message: 'Start install Lapikit on your app?',
9
+ initial: true,
10
+ active: 'Yes',
11
+ inactive: 'No'
12
+ });
13
+
14
+ if (!confirm) {
15
+ console.log('❌ Installation canceled. See you soon.');
16
+ process.exit(0);
17
+ }
18
+ // temps with legacy and new process install
19
+ const { type } = await prompts({
20
+ type: 'select',
21
+ name: 'type',
22
+ message: 'Select installation type:',
23
+ choices: [
24
+ { title: 'Classic install with lapikit.config.js', value: 'current' },
25
+ {
26
+ title: 'Preview install with new plugin/lapikit.(js|ts) <experimental>',
27
+ value: 'experimental'
28
+ }
29
+ ]
30
+ });
31
+
32
+ if (type === 'current') {
33
+ // Classic install
34
+ const settings = await prompts([
35
+ {
36
+ type: 'text',
37
+ name: 'pathCSS',
38
+ message: 'Where would you like to import the lapikit CSS files?',
39
+ initial: 'src/app.css',
40
+ validate: (value) =>
41
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
42
+ }
43
+ ]);
44
+
45
+ return {
46
+ ...settings,
47
+ env: 'current'
48
+ };
49
+ } else if (type === 'experimental') {
50
+ // Preview install
51
+ let settings = await prompts([
52
+ {
53
+ type: 'text',
54
+ name: 'pathConfig',
55
+ message: 'Where would you like to install the lapikit configuration files?',
56
+ initial: 'src/plugins',
57
+ validate: (value) =>
58
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
59
+ },
60
+ {
61
+ type: 'toggle',
62
+ name: 'typescript',
63
+ message: 'Use TypeScript?',
64
+ initial: true,
65
+ active: 'Yes',
66
+ inactive: 'No'
67
+ },
68
+ {
69
+ type: 'select',
70
+ name: 'formatCSS',
71
+ message: 'What is your CSS format used on your app?',
72
+ choices: [
73
+ { title: 'Basic (classic import)', value: 'global' },
74
+ {
75
+ title: 'TailwindCSS (v4)',
76
+ value: 'tailwind-v4'
77
+ },
78
+ {
79
+ title: 'UnoCSS',
80
+ value: 'unocss'
81
+ }
82
+ ]
83
+ },
84
+ {
85
+ type: (prev) => (prev !== 'global' ? 'text' : null),
86
+ name: 'pathCSS',
87
+ message: 'Where would you like to import the lapikit CSS files?',
88
+ initial: 'src/app.css',
89
+ validate: (value) =>
90
+ value.startsWith('src/') ? true : 'Please provide a valid path starting with src/'
91
+ }
92
+ ]);
93
+
94
+ console.log('response config', settings);
95
+
96
+ return {
97
+ ...settings,
98
+ env: 'experimental'
99
+ };
100
+ }
101
+ }
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "lapikit",
3
- "version": "0.0.0-insiders.df219d7",
3
+ "version": "0.0.0-insiders.e552ce3",
4
4
  "license": "MIT",
5
5
  "publishConfig": {
6
6
  "access": "public"