lapikit 0.0.0-insiders.d5e2672 → 0.0.0-insiders.d674d96

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.
Files changed (67) hide show
  1. package/bin/configuration.js +288 -7
  2. package/bin/index.js +6 -6
  3. package/bin/presets.js +26 -0
  4. package/bin/prompts.js +5 -6
  5. package/dist/colors.css +0 -0
  6. package/dist/components/app/app.svelte +8 -3
  7. package/dist/components/chip/chip.css +4 -4
  8. package/dist/components/chip/chip.svelte +5 -3
  9. package/dist/components/chip/types.d.ts +1 -0
  10. package/dist/components/dialog/dialog.css +3 -1
  11. package/dist/components/modal/modal.css +7 -6
  12. package/dist/index.d.ts +27 -1
  13. package/dist/index.js +27 -3
  14. package/dist/internal/config/presets.d.ts +108 -0
  15. package/dist/internal/config/presets.js +121 -0
  16. package/dist/internal/config/variables.d.ts +6 -0
  17. package/dist/internal/config/variables.js +6 -0
  18. package/dist/internal/core/formatter/index.d.ts +4 -0
  19. package/dist/internal/core/formatter/index.js +21 -0
  20. package/dist/internal/core/formatter/styles.d.ts +4 -0
  21. package/dist/internal/core/formatter/styles.js +15 -0
  22. package/dist/internal/core/formatter/theme.d.ts +5 -0
  23. package/dist/internal/core/formatter/theme.js +20 -0
  24. package/dist/internal/core/formatter/typography.d.ts +5 -0
  25. package/dist/internal/core/formatter/typography.js +12 -0
  26. package/dist/internal/core/parser-config.d.ts +1 -0
  27. package/dist/internal/core/parser-config.js +24 -0
  28. package/dist/internal/deepMerge.d.ts +44 -0
  29. package/dist/internal/deepMerge.js +80 -0
  30. package/dist/internal/helpers/parser.d.ts +1 -0
  31. package/dist/internal/helpers/parser.js +7 -0
  32. package/dist/internal/types/configuration.d.ts +40 -0
  33. package/dist/internal/types/configuration.js +1 -0
  34. package/dist/internal/types/index.d.ts +1 -0
  35. package/dist/internal/types/index.js +1 -0
  36. package/dist/labs/index.d.ts +4 -0
  37. package/dist/labs/index.js +5 -0
  38. package/dist/labs/my-component-style-global.svelte +6 -0
  39. package/dist/labs/my-component-style-global.svelte.d.ts +18 -0
  40. package/dist/labs/my-component-style-import.svelte +15 -0
  41. package/dist/labs/my-component-style-import.svelte.d.ts +18 -0
  42. package/dist/labs/my-component-style-mixed.svelte +23 -0
  43. package/dist/labs/my-component-style-mixed.svelte.d.ts +18 -0
  44. package/dist/labs/my-component.svelte +16 -0
  45. package/dist/labs/my-component.svelte.d.ts +18 -0
  46. package/dist/labs/style-mixed.css +7 -0
  47. package/dist/labs/style.css +7 -0
  48. package/dist/labs.css +9 -0
  49. package/dist/plugin/css.d.ts +1 -0
  50. package/dist/plugin/css.js +73 -0
  51. package/dist/plugin/preset-v2.d.ts +108 -0
  52. package/dist/plugin/preset-v2.js +126 -0
  53. package/dist/plugin/vitejs.d.ts +5 -1
  54. package/dist/plugin/vitejs.js +32 -3
  55. package/dist/stores/breakpoints.d.ts +6 -0
  56. package/dist/stores/breakpoints.js +14 -0
  57. package/dist/stores/components.d.ts +8 -0
  58. package/dist/stores/components.js +26 -0
  59. package/dist/stores/devices.d.ts +6 -0
  60. package/dist/stores/devices.js +9 -0
  61. package/dist/stores/index.d.ts +4 -10
  62. package/dist/stores/index.js +4 -47
  63. package/dist/stores/themes.d.ts +8 -0
  64. package/dist/stores/themes.js +34 -0
  65. package/dist/utils/convert.d.ts +1 -0
  66. package/dist/utils/convert.js +17 -0
  67. package/package.json +7 -2
@@ -1,23 +1,304 @@
1
1
  #!/usr/bin/env node
2
2
  import { promises as fs } from 'fs';
3
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, pathConfig, typescript) {
137
+ try {
138
+ const content = await fs.readFile(viteConfigFile, 'utf-8');
139
+ const lapikitImport = `import { lapikit } from 'lapikit/vite';`;
140
+ const configPath = `${pathConfig}/lapikit.${typescript ? 'ts' : 'js'}`;
141
+ const lapikitPlugin = `lapikit({ config: '${configPath}' })`;
142
+
143
+ // Check if lapikit import already exists
144
+ if (content.includes(lapikitImport) || content.includes(`from 'lapikit/vite'`)) {
145
+ terminal('info', `Lapikit import already exists in ${viteConfigFile}`);
146
+ return;
147
+ }
148
+
149
+ const lines = content.split('\n');
150
+ let importInsertIndex = -1;
151
+ let pluginAdded = false;
152
+
153
+ // Find where to insert the import (after other imports)
154
+ for (let i = 0; i < lines.length; i++) {
155
+ const line = lines[i].trim();
156
+
157
+ if (line.startsWith('import ') && !line.includes('type ')) {
158
+ importInsertIndex = i + 1;
159
+ } else if (
160
+ line === '' &&
161
+ importInsertIndex !== -1 &&
162
+ lines[i + 1] &&
163
+ !lines[i + 1].trim().startsWith('import ')
164
+ ) {
165
+ importInsertIndex = i;
166
+ break;
167
+ }
168
+ }
169
+
170
+ // If no imports found, insert at the beginning
171
+ if (importInsertIndex === -1) {
172
+ importInsertIndex = 0;
173
+ }
174
+
175
+ // Insert the lapikit import
176
+ lines.splice(importInsertIndex, 0, lapikitImport);
177
+
178
+ // Find and update the plugins array
179
+ for (let i = 0; i < lines.length; i++) {
180
+ const line = lines[i].trim();
181
+
182
+ if (line.includes('plugins:') && line.includes('[') && line.includes(']')) {
183
+ // Single line plugins array
184
+ if (line.includes('sveltekit()')) {
185
+ const pluginMatch = line.match(/plugins:\s*\[(.*)\]/);
186
+ if (pluginMatch) {
187
+ const pluginsContent = pluginMatch[1];
188
+ if (!pluginsContent.includes('lapikit')) {
189
+ const newPluginsContent = pluginsContent.replace(
190
+ /sveltekit\(\)/,
191
+ `sveltekit(), ${lapikitPlugin}`
192
+ );
193
+ lines[i] = line.replace(pluginsContent, newPluginsContent);
194
+ pluginAdded = true;
195
+ }
196
+ }
197
+ }
198
+ break;
199
+ } else if (line.includes('plugins:') && line.includes('[') && !line.includes(']')) {
200
+ // Multi-line plugins array start
201
+ for (let j = i; j < lines.length; j++) {
202
+ const pluginLine = lines[j].trim();
203
+
204
+ if (pluginLine.includes('sveltekit()') && !pluginAdded) {
205
+ // Check if lapikit is not already present
206
+ let hasLapikit = false;
207
+ for (let k = i; k < lines.length && !lines[k].includes(']'); k++) {
208
+ if (lines[k].includes('lapikit')) {
209
+ hasLapikit = true;
210
+ break;
211
+ }
212
+ }
213
+
214
+ if (!hasLapikit) {
215
+ // Add lapikit after sveltekit()
216
+ if (pluginLine.includes(',')) {
217
+ lines[j] = lines[j].replace('sveltekit()', `sveltekit(), ${lapikitPlugin}`);
218
+ } else {
219
+ lines[j] = lines[j].replace('sveltekit()', 'sveltekit(),');
220
+ // Insert lapikit on the next line with proper indentation
221
+ const indentation = lines[j].match(/^\s*/)[0];
222
+ lines.splice(j + 1, 0, `${indentation}${lapikitPlugin}`);
223
+ }
224
+ pluginAdded = true;
225
+ }
226
+ break;
227
+ }
228
+
229
+ if (pluginLine.includes(']')) {
230
+ break;
231
+ }
232
+ }
233
+ break;
234
+ }
235
+ }
236
+
237
+ if (!pluginAdded) {
238
+ terminal('warn', `Could not find sveltekit() in plugins array to add lapikit() after it`);
239
+ }
240
+
241
+ const newContent = lines.join('\n');
242
+ await fs.writeFile(viteConfigFile, newContent);
243
+ terminal('info', `Lapikit import and plugin added to ${viteConfigFile}`);
244
+ } catch (error) {
245
+ terminal('error', `Error adding lapikit to vite config: ${error.message}`);
246
+ throw error;
247
+ }
248
+ }
4
249
 
5
250
  export async function initConfiguration(options) {
6
- console.log('initConfiguration called with:', options);
7
- const { typescript, pathConfig } = options;
251
+ const { typescript, pathConfig, formatCSS, pathCSS } = options;
8
252
  const ext = typescript ? 'ts' : 'js';
9
253
  const targetDir = path.resolve(process.cwd(), pathConfig);
10
254
  const targetFile = path.join(targetDir, `lapikit.${ext}`);
11
255
 
12
256
  await fs.mkdir(targetDir, { recursive: true });
13
257
 
258
+ let fileCreated = false;
259
+
260
+ // Create Lapikit config
14
261
  try {
15
- console.log(`Trying to access ${targetFile}`);
16
262
  await fs.access(targetFile);
17
- console.log(`File ${targetFile} already exists.`);
263
+ terminal('info', `File ${targetFile} already exists.`);
18
264
  } catch {
19
- console.log(`Creating file: ${targetFile}`);
20
- await fs.writeFile(targetFile, '// lapikit entry file');
21
- console.log(`File created : ${targetFile}`);
265
+ terminal('info', `Creating file: ${targetFile}`);
266
+ const content = presets({
267
+ adapterCSS: formatCSS
268
+ });
269
+ await fs.writeFile(targetFile, content);
270
+ terminal('info', `File created: ${targetFile}`);
271
+ fileCreated = true;
272
+ }
273
+
274
+ // Add Import Lapikit plugin
275
+ try {
276
+ const referenceFile = await findReferenceFile(process.cwd());
277
+ await addImportToReferenceFile(targetFile, referenceFile);
278
+ } catch (error) {
279
+ terminal('error', `Error adding import: ${error.message}`);
280
+
281
+ if (fileCreated) {
282
+ try {
283
+ await fs.unlink(targetFile);
284
+ terminal('info', `File ${targetFile} deleted due to error.`);
285
+ } catch {
286
+ // Ignore deletion error
287
+ }
288
+ }
289
+ throw error;
290
+ }
291
+
292
+ // Add Import Lapikit css
293
+ if (formatCSS !== 'css') {
294
+ console.log('need custom import (Preview)', pathCSS);
295
+ }
296
+ // Add lapikit to vite.config file
297
+ try {
298
+ const viteConfigFile = await findViteConfigFile(process.cwd(), typescript);
299
+ await addLapikitToViteConfig(viteConfigFile, pathConfig, typescript);
300
+ } catch (error) {
301
+ terminal('warn', `Warning: Could not update vite.config file: ${error.message}`);
302
+ terminal('error', `Error adding lapikit to vite config: ${error.message}`);
22
303
  }
23
304
  }
package/bin/index.js CHANGED
@@ -19,23 +19,23 @@ async function run() {
19
19
  const promptsConfig = await initPrompts();
20
20
 
21
21
  if (promptsConfig.env === 'current') {
22
- legacyConfiguration(promptsConfig);
22
+ await legacyConfiguration(promptsConfig);
23
23
  }
24
24
 
25
25
  if (promptsConfig.env === 'experimental') {
26
26
  terminal('warn', `Experimental mode is not yet implemented.`);
27
- initConfiguration(promptsConfig);
27
+ await initConfiguration(promptsConfig);
28
28
  }
29
29
  }
30
30
 
31
31
  run()
32
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');
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
36
  process.exit(0);
37
37
  })
38
38
  .catch((error) => {
39
- console.error(`\n${red('')} ${error}\n`);
39
+ terminal('error', `Error: ${error}`);
40
40
  process.exit(1);
41
41
  });
package/bin/presets.js ADDED
@@ -0,0 +1,26 @@
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/styles';\n`;
12
+ content += `import 'lapikit/css';\n\n`;
13
+ }
14
+
15
+ content += `// Composables\n`;
16
+ content += `import createLapikit from 'lapikit';\n\n`;
17
+
18
+ content += `// https://lapikit.dev/docs/getting-started\n`;
19
+ content += `export default createLapikit({\n`;
20
+ content += `\tadapterCSS: "${adapterCSS}",\n`;
21
+ content += `\n});`;
22
+
23
+ return content;
24
+ }
25
+
26
+ export default presets;
package/bin/prompts.js CHANGED
@@ -1,18 +1,19 @@
1
1
  #!/usr/bin/env node
2
2
  import prompts from 'prompts';
3
+ import { terminal } from './helper.js';
3
4
 
4
5
  export async function initPrompts() {
5
6
  const { confirm } = await prompts({
6
7
  type: 'toggle',
7
8
  name: 'confirm',
8
- message: 'Start install Lapikit on your app?',
9
+ message: 'Launch install Lapikit on your project?',
9
10
  initial: true,
10
11
  active: 'Yes',
11
12
  inactive: 'No'
12
13
  });
13
14
 
14
15
  if (!confirm) {
15
- console.log(' Installation canceled. See you soon.');
16
+ terminal('warn', `installation canceled.`);
16
17
  process.exit(0);
17
18
  }
18
19
  // temps with legacy and new process install
@@ -70,7 +71,7 @@ export async function initPrompts() {
70
71
  name: 'formatCSS',
71
72
  message: 'What is your CSS format used on your app?',
72
73
  choices: [
73
- { title: 'Common ( CSS / SASS / SCSS / LESS / other libs )', value: 'global' },
74
+ { title: 'Basic (classic import)', value: 'css' },
74
75
  {
75
76
  title: 'TailwindCSS (v4)',
76
77
  value: 'tailwind-v4'
@@ -82,7 +83,7 @@ export async function initPrompts() {
82
83
  ]
83
84
  },
84
85
  {
85
- type: (prev) => (prev !== 'global' ? 'text' : null),
86
+ type: (prev) => (prev !== 'css' ? 'text' : null),
86
87
  name: 'pathCSS',
87
88
  message: 'Where would you like to import the lapikit CSS files?',
88
89
  initial: 'src/app.css',
@@ -91,8 +92,6 @@ export async function initPrompts() {
91
92
  }
92
93
  ]);
93
94
 
94
- console.log('response config', settings);
95
-
96
95
  return {
97
96
  ...settings,
98
97
  env: 'experimental'
File without changes
@@ -4,7 +4,8 @@
4
4
  colorSchemeSystem,
5
5
  modalOpen,
6
6
  setOpenModal,
7
- updateThemeStore
7
+ useColorScheme,
8
+ useTheme
8
9
  } from '../../stores/index.js';
9
10
  import type { Snippet } from 'svelte';
10
11
  let { children }: { children: Snippet } = $props();
@@ -26,8 +27,12 @@
26
27
  });
27
28
 
28
29
  // local
29
- const local = localStorage.getItem('@lapikit/theme');
30
- if (local !== null) updateThemeStore(local as 'dark' | 'light' | 'system');
30
+ const localColorScheme = localStorage.getItem('@lapikit/color-scheme');
31
+ const localTheme = localStorage.getItem('@lapikit/theme');
32
+
33
+ // apply local settings
34
+ if (localColorScheme !== null) useColorScheme(localColorScheme as 'dark' | 'light' | 'system');
35
+ if (localTheme !== null) useTheme(localTheme as string);
31
36
  });
32
37
  </script>
33
38
 
@@ -20,7 +20,7 @@
20
20
  text-decoration: none;
21
21
  }
22
22
 
23
- .kit-chip:not(div):not(span) {
23
+ .kit-chip:not(div):not(span):not(.kit-chip--readonly) {
24
24
  cursor: pointer;
25
25
  }
26
26
 
@@ -49,13 +49,13 @@
49
49
  pointer-events: none;
50
50
  border-radius: inherit;
51
51
  }
52
- .kit-chip:not(div):not(span):hover::after {
52
+ .kit-chip:not(div):not(span):not(.kit-chip--readonly):hover::after {
53
53
  opacity: 0.08;
54
54
  }
55
- .kit-chip:not(div):not(span):active::after {
55
+ .kit-chip:not(div):not(span):not(.kit-chip--readonly):active::after {
56
56
  opacity: 0.12;
57
57
  }
58
- .kit-chip:not(div):not(span):focus-visible::after {
58
+ .kit-chip:not(div):not(span):not(.kit-chip--readonly):focus-visible::after {
59
59
  opacity: 0.12;
60
60
  }
61
61
 
@@ -37,6 +37,7 @@
37
37
  rounded,
38
38
  closable,
39
39
  noRipple,
40
+ readonly = false,
40
41
  ...rest
41
42
  }: ChipProps = $props();
42
43
 
@@ -44,7 +45,7 @@
44
45
 
45
46
  $effect(() => {
46
47
  const refProps = { ...rest };
47
- if (refProps?.onclick) is = 'button';
48
+ if (refProps?.onclick && !readonly) is = 'button';
48
49
  });
49
50
  </script>
50
51
 
@@ -68,6 +69,7 @@
68
69
  disabled && 'kit-chip--disabled',
69
70
  active && 'kit-chip--active',
70
71
  loading && 'kit-chip--loading',
72
+ readonly && 'kit-chip--readonly',
71
73
  rest.class
72
74
  ]}
73
75
  tabindex={href && disabled ? -1 : 0}
@@ -77,7 +79,7 @@
77
79
  type={href ? undefined : type}
78
80
  use:ripple={{
79
81
  component: 'chip',
80
- disabled: noRipple || disabled || is === 'div' || is === 'span'
82
+ disabled: noRipple || readonly || disabled || is === 'div' || is === 'span'
81
83
  }}
82
84
  style:--base={assets.color(background)}
83
85
  style:--on={assets.color(color)}
@@ -109,7 +111,7 @@
109
111
  </div>
110
112
  {/if}
111
113
 
112
- {#if closable}
114
+ {#if closable && !readonly}
113
115
  <button
114
116
  class="kit-chip--close"
115
117
  type="button"
@@ -28,4 +28,5 @@ export interface ChipProps extends Component {
28
28
  label?: string;
29
29
  closable?: boolean;
30
30
  noRipple?: boolean;
31
+ readonly?: boolean;
31
32
  }
@@ -60,7 +60,9 @@
60
60
  }
61
61
 
62
62
  .kit-dialog[breakpoint]kit-dialog--position-center {
63
- margin: auto;
63
+ /* margin: auto; */
64
+ margin-top: auto;
65
+ margin-bottom: auto;
64
66
  }
65
67
 
66
68
  .kit-dialog[breakpoint]kit-dialog--size-xs {
@@ -49,7 +49,6 @@
49
49
  max-height: calc(100% - 3rem);
50
50
  height: fit-content;
51
51
  margin: 0 auto;
52
- top: 50%;
53
52
  left: 50%;
54
53
  bottom: initial;
55
54
  translate: var(--modal-translate-x) var(--modal-translate-y);
@@ -60,7 +59,6 @@
60
59
  max-height: calc(100% - 3rem);
61
60
  height: fit-content;
62
61
  margin: 0 auto;
63
- top: 50%;
64
62
  left: 50%;
65
63
  bottom: initial;
66
64
  translate: var(--modal-translate-x) var(--modal-translate-y);
@@ -71,7 +69,6 @@
71
69
  max-height: calc(100% - 3rem);
72
70
  height: fit-content;
73
71
  margin: 0 auto;
74
- top: 50%;
75
72
  left: 50%;
76
73
  bottom: initial;
77
74
  translate: var(--modal-translate-x) var(--modal-translate-y);
@@ -82,7 +79,6 @@
82
79
  max-height: calc(100% - 3rem);
83
80
  height: fit-content;
84
81
  margin: 0 auto;
85
- top: 50%;
86
82
  left: 50%;
87
83
  bottom: initial;
88
84
  translate: var(--modal-translate-x) var(--modal-translate-y);
@@ -93,7 +89,6 @@
93
89
  max-height: calc(100% - 3rem);
94
90
  height: fit-content;
95
91
  margin: 0 auto;
96
- top: 50%;
97
92
  left: 50%;
98
93
  bottom: initial;
99
94
  translate: var(--modal-translate-x) var(--modal-translate-y);
@@ -130,15 +125,21 @@
130
125
  /* position */
131
126
  .kit-modal [breakpoint]kit-modal-container--position-bottom {
132
127
  --modal-translate-y: 0;
133
- bottom: 0;
128
+ margin: auto;
134
129
  top: initial;
130
+ bottom: 0;
135
131
  }
136
132
 
137
133
  .kit-modal [breakpoint]kit-modal-container--position-top {
138
134
  --modal-translate-y: 0;
135
+ margin: auto;
139
136
  top: 0;
137
+ bottom: initial;
140
138
  }
141
139
 
142
140
  .kit-modal [breakpoint]kit-modal-container--position-center {
141
+ --modal-translate-y: -50%;
143
142
  margin: auto;
143
+ top: 50%;
144
+ bottom: initial;
144
145
  }
package/dist/index.d.ts CHANGED
@@ -1 +1,27 @@
1
- export declare function helloWorld(): void;
1
+ interface Lapikit {
2
+ adapterCSS: string;
3
+ breakpoints: {
4
+ devices: {
5
+ [key: string]: string;
6
+ };
7
+ thresholds: {
8
+ [key: string]: number | string;
9
+ };
10
+ };
11
+ theme: {
12
+ defaultTheme: string;
13
+ themes: {
14
+ [key: string]: {
15
+ dark: boolean;
16
+ colors: {
17
+ [key: string]: string;
18
+ };
19
+ variables: {
20
+ [key: string]: string;
21
+ };
22
+ };
23
+ };
24
+ };
25
+ }
26
+ declare function createLapikit(lapikit: Lapikit): void;
27
+ export default createLapikit;
package/dist/index.js CHANGED
@@ -1,4 +1,28 @@
1
- // Reexport your entry components here
2
- export function helloWorld() {
3
- console.log('Hello world, this is lapikit!');
1
+ import { deepMerge } from './internal/deepMerge.js';
2
+ import { breakpoints } from './stores/breakpoints.js';
3
+ import { get } from 'svelte/store';
4
+ import { valueToPx } from './utils/convert.js';
5
+ import { devices } from './stores/devices.js';
6
+ function createLapikit(lapikit) {
7
+ console.log('Creating a new Lapikit instance...');
8
+ console.log('Options loaded:', lapikit);
9
+ if (lapikit?.breakpoints?.thresholds) {
10
+ const currentBreakpoints = get(breakpoints);
11
+ const breakpointMerged = deepMerge(currentBreakpoints, lapikit.breakpoints.thresholds);
12
+ const formattedBreakpoints = Object.fromEntries(Object.entries(breakpointMerged).map(([key, value]) => [key, valueToPx(value)]));
13
+ breakpoints.set(formattedBreakpoints);
14
+ console.log('Breakpoints found:', formattedBreakpoints);
15
+ }
16
+ if (lapikit?.breakpoints?.devices) {
17
+ const currentDevices = get(devices);
18
+ const currentBreakpoints = get(breakpoints);
19
+ const deviceMerged = deepMerge(currentDevices, lapikit.breakpoints.devices);
20
+ const formattedDevices = Object.fromEntries(Object.entries(deviceMerged).map(([key, deviceKey]) => {
21
+ const breakpointValue = currentBreakpoints[deviceKey];
22
+ return [key, valueToPx(breakpointValue)];
23
+ }));
24
+ devices.set(formattedDevices);
25
+ console.log('Devices found:', formattedDevices);
26
+ }
4
27
  }
28
+ export default createLapikit;