lapikit 0.0.0-insiders.4be356b → 0.0.0-insiders.5218dc3
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/bin/configuration.js +282 -7
- package/bin/index.js +4 -4
- package/bin/presets.js +25 -0
- package/bin/prompts.js +5 -6
- package/dist/components/app/app.svelte +13 -1
- package/dist/components/chip/chip.css +4 -4
- package/dist/components/chip/chip.svelte +5 -3
- package/dist/components/chip/types.d.ts +1 -0
- package/dist/components/dialog/dialog.css +3 -1
- package/dist/components/modal/modal.css +7 -6
- package/dist/index.d.ts +10 -1
- package/dist/index.js +13 -3
- package/dist/internal/deepMerge.d.ts +44 -0
- package/dist/internal/deepMerge.js +80 -0
- package/dist/internal/mediaQueries.d.ts +6 -0
- package/dist/internal/mediaQueries.js +49 -0
- package/dist/stores/breakpoints.d.ts +6 -0
- package/dist/stores/breakpoints.js +23 -0
- package/dist/stores/index.d.ts +2 -0
- package/dist/stores/index.js +2 -0
- package/dist/stores/viewports.d.ts +2 -0
- package/dist/stores/viewports.js +5 -0
- package/package.json +1 -1
package/bin/configuration.js
CHANGED
|
@@ -1,23 +1,298 @@
|
|
|
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) {
|
|
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
|
+
}
|
|
4
247
|
|
|
5
248
|
export async function initConfiguration(options) {
|
|
6
|
-
|
|
7
|
-
const { typescript, pathConfig } = options;
|
|
249
|
+
const { typescript, pathConfig, formatCSS } = options;
|
|
8
250
|
const ext = typescript ? 'ts' : 'js';
|
|
9
251
|
const targetDir = path.resolve(process.cwd(), pathConfig);
|
|
10
252
|
const targetFile = path.join(targetDir, `lapikit.${ext}`);
|
|
11
253
|
|
|
12
254
|
await fs.mkdir(targetDir, { recursive: true });
|
|
13
255
|
|
|
256
|
+
let fileCreated = false;
|
|
257
|
+
|
|
258
|
+
// Create Lapikit config
|
|
14
259
|
try {
|
|
15
|
-
console.log(`Trying to access ${targetFile}`);
|
|
16
260
|
await fs.access(targetFile);
|
|
17
|
-
|
|
261
|
+
terminal('info', `File ${targetFile} already exists.`);
|
|
18
262
|
} catch {
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
|
|
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}`);
|
|
22
297
|
}
|
|
23
298
|
}
|
package/bin/index.js
CHANGED
|
@@ -30,12 +30,12 @@ async function run() {
|
|
|
30
30
|
|
|
31
31
|
run()
|
|
32
32
|
.then(() => {
|
|
33
|
-
|
|
34
|
-
|
|
35
|
-
|
|
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
|
-
|
|
39
|
+
terminal('error', `Error: ${error}`);
|
|
40
40
|
process.exit(1);
|
|
41
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
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: '
|
|
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
|
-
|
|
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: '
|
|
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 !== '
|
|
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'
|
|
@@ -4,11 +4,21 @@
|
|
|
4
4
|
colorSchemeSystem,
|
|
5
5
|
modalOpen,
|
|
6
6
|
setOpenModal,
|
|
7
|
-
updateThemeStore
|
|
7
|
+
updateThemeStore,
|
|
8
|
+
viewportWidth
|
|
8
9
|
} from '../../stores/index.js';
|
|
9
10
|
import type { Snippet } from 'svelte';
|
|
10
11
|
let { children }: { children: Snippet } = $props();
|
|
11
12
|
|
|
13
|
+
// states
|
|
14
|
+
let innerWidth = $state(0);
|
|
15
|
+
|
|
16
|
+
$effect(() => {
|
|
17
|
+
if (BROWSER) {
|
|
18
|
+
viewportWidth.set(innerWidth);
|
|
19
|
+
}
|
|
20
|
+
});
|
|
21
|
+
|
|
12
22
|
$effect.pre(() => {
|
|
13
23
|
if (!BROWSER) return;
|
|
14
24
|
// system
|
|
@@ -31,6 +41,8 @@
|
|
|
31
41
|
});
|
|
32
42
|
</script>
|
|
33
43
|
|
|
44
|
+
<svelte:window bind:innerWidth />
|
|
45
|
+
|
|
34
46
|
{@render children?.()}
|
|
35
47
|
|
|
36
48
|
<!-- svelte-ignore a11y_no_static_element_interactions -->
|
|
@@ -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"
|
|
@@ -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
|
-
|
|
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
package/dist/index.js
CHANGED
|
@@ -1,4 +1,14 @@
|
|
|
1
|
-
|
|
2
|
-
|
|
3
|
-
|
|
1
|
+
import { deepMerge } from './internal/deepMerge.js';
|
|
2
|
+
import { breakpoints } from './stores/breakpoints.js';
|
|
3
|
+
import { get } from 'svelte/store';
|
|
4
|
+
function createLapikit(lapikit) {
|
|
5
|
+
console.log('Creating a new Lapikit instance...');
|
|
6
|
+
console.log('Options loaded:', lapikit);
|
|
7
|
+
if (lapikit?.breakpoints?.thresholds) {
|
|
8
|
+
const currentBreakpoints = get(breakpoints);
|
|
9
|
+
const breakpointMerged = deepMerge(currentBreakpoints, lapikit.breakpoints.thresholds);
|
|
10
|
+
breakpoints.set(breakpointMerged);
|
|
11
|
+
console.log('Breakpoints found:', breakpointMerged);
|
|
12
|
+
}
|
|
4
13
|
}
|
|
14
|
+
export default createLapikit;
|
|
@@ -0,0 +1,44 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Recursively merges two objects together.
|
|
3
|
+
* Properties from the source object override those from the target object.
|
|
4
|
+
* Nested objects are merged recursively.
|
|
5
|
+
*
|
|
6
|
+
* @param target - The base object
|
|
7
|
+
* @param source - The source object to merge (can be null or undefined)
|
|
8
|
+
* @returns A new object containing the merge of both objects
|
|
9
|
+
*
|
|
10
|
+
* @example
|
|
11
|
+
* ```typescript
|
|
12
|
+
* const obj1 = { primary: { light: 'pink', medium: 'purple' } };
|
|
13
|
+
* const obj2 = { primary: { dark: 'red' } };
|
|
14
|
+
* const result = deepMerge(obj1, obj2);
|
|
15
|
+
* // Result: { primary: { light: 'pink', medium: 'purple', dark: 'red' } }
|
|
16
|
+
*
|
|
17
|
+
* // Works with null/undefined source
|
|
18
|
+
* const result2 = deepMerge(obj1, null);
|
|
19
|
+
* // Result: { primary: { light: 'pink', medium: 'purple' } }
|
|
20
|
+
* ```
|
|
21
|
+
*/
|
|
22
|
+
export declare function deepMerge<T extends Record<string, unknown>, U extends Record<string, unknown>>(target: T, source: U | null | undefined): T & U;
|
|
23
|
+
/**
|
|
24
|
+
* Merges multiple objects together recursively.
|
|
25
|
+
*
|
|
26
|
+
* @param objects - The objects to merge (null and undefined values are ignored)
|
|
27
|
+
* @returns A new object containing the merge of all objects
|
|
28
|
+
*
|
|
29
|
+
* @example
|
|
30
|
+
* ```typescript
|
|
31
|
+
* const result = deepMergeMultiple(
|
|
32
|
+
* { primary: { light: 'pink' } },
|
|
33
|
+
* null,
|
|
34
|
+
* { primary: { dark: 'red' } },
|
|
35
|
+
* undefined,
|
|
36
|
+
* { secondary: { light: 'blue' } }
|
|
37
|
+
* );
|
|
38
|
+
* // Result: {
|
|
39
|
+
* // primary: { light: 'pink', dark: 'red' },
|
|
40
|
+
* // secondary: { light: 'blue' }
|
|
41
|
+
* // }
|
|
42
|
+
* ```
|
|
43
|
+
*/
|
|
44
|
+
export declare function deepMergeMultiple(...objects: (Record<string, unknown> | null | undefined)[]): Record<string, unknown>;
|
|
@@ -0,0 +1,80 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Checks if a value is a plain object (object literal)
|
|
3
|
+
*/
|
|
4
|
+
function isPlainObject(value) {
|
|
5
|
+
return (value !== null &&
|
|
6
|
+
typeof value === 'object' &&
|
|
7
|
+
Object.prototype.toString.call(value) === '[object Object]');
|
|
8
|
+
}
|
|
9
|
+
/**
|
|
10
|
+
* Recursively merges two objects together.
|
|
11
|
+
* Properties from the source object override those from the target object.
|
|
12
|
+
* Nested objects are merged recursively.
|
|
13
|
+
*
|
|
14
|
+
* @param target - The base object
|
|
15
|
+
* @param source - The source object to merge (can be null or undefined)
|
|
16
|
+
* @returns A new object containing the merge of both objects
|
|
17
|
+
*
|
|
18
|
+
* @example
|
|
19
|
+
* ```typescript
|
|
20
|
+
* const obj1 = { primary: { light: 'pink', medium: 'purple' } };
|
|
21
|
+
* const obj2 = { primary: { dark: 'red' } };
|
|
22
|
+
* const result = deepMerge(obj1, obj2);
|
|
23
|
+
* // Result: { primary: { light: 'pink', medium: 'purple', dark: 'red' } }
|
|
24
|
+
*
|
|
25
|
+
* // Works with null/undefined source
|
|
26
|
+
* const result2 = deepMerge(obj1, null);
|
|
27
|
+
* // Result: { primary: { light: 'pink', medium: 'purple' } }
|
|
28
|
+
* ```
|
|
29
|
+
*/
|
|
30
|
+
export function deepMerge(target, source) {
|
|
31
|
+
// If source is null or undefined, return a copy of target
|
|
32
|
+
if (source == null) {
|
|
33
|
+
return { ...target };
|
|
34
|
+
}
|
|
35
|
+
// Create a copy of the target object to avoid mutations
|
|
36
|
+
const result = { ...target };
|
|
37
|
+
for (const key in source) {
|
|
38
|
+
if (Object.prototype.hasOwnProperty.call(source, key)) {
|
|
39
|
+
const sourceValue = source[key];
|
|
40
|
+
const targetValue = result[key];
|
|
41
|
+
// If both values are plain objects, merge them recursively
|
|
42
|
+
if (isPlainObject(targetValue) && isPlainObject(sourceValue)) {
|
|
43
|
+
result[key] = deepMerge(targetValue, sourceValue);
|
|
44
|
+
}
|
|
45
|
+
else {
|
|
46
|
+
// Otherwise, the source value overrides the target value
|
|
47
|
+
result[key] = sourceValue;
|
|
48
|
+
}
|
|
49
|
+
}
|
|
50
|
+
}
|
|
51
|
+
return result;
|
|
52
|
+
}
|
|
53
|
+
/**
|
|
54
|
+
* Merges multiple objects together recursively.
|
|
55
|
+
*
|
|
56
|
+
* @param objects - The objects to merge (null and undefined values are ignored)
|
|
57
|
+
* @returns A new object containing the merge of all objects
|
|
58
|
+
*
|
|
59
|
+
* @example
|
|
60
|
+
* ```typescript
|
|
61
|
+
* const result = deepMergeMultiple(
|
|
62
|
+
* { primary: { light: 'pink' } },
|
|
63
|
+
* null,
|
|
64
|
+
* { primary: { dark: 'red' } },
|
|
65
|
+
* undefined,
|
|
66
|
+
* { secondary: { light: 'blue' } }
|
|
67
|
+
* );
|
|
68
|
+
* // Result: {
|
|
69
|
+
* // primary: { light: 'pink', dark: 'red' },
|
|
70
|
+
* // secondary: { light: 'blue' }
|
|
71
|
+
* // }
|
|
72
|
+
* ```
|
|
73
|
+
*/
|
|
74
|
+
export function deepMergeMultiple(...objects) {
|
|
75
|
+
return objects
|
|
76
|
+
.filter((obj) => obj != null)
|
|
77
|
+
.reduce((acc, obj) => {
|
|
78
|
+
return deepMerge(acc, obj);
|
|
79
|
+
}, {});
|
|
80
|
+
}
|
|
@@ -0,0 +1,6 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Checks media queries according to breakpoints
|
|
3
|
+
* @param {...Array<["min"|"max", string]>} args - ex: [ ["min", "xs"], ["max", "lg"] ]
|
|
4
|
+
* @returns {boolean}
|
|
5
|
+
*/
|
|
6
|
+
export declare function mediaQueries(...args: Array<['min' | 'max', string]> | ['min' | 'max', string]): boolean;
|
|
@@ -0,0 +1,49 @@
|
|
|
1
|
+
import { get } from 'svelte/store';
|
|
2
|
+
import { breakpoints } from '../stores/breakpoints.js';
|
|
3
|
+
import { viewportWidth } from '../stores/viewports.js';
|
|
4
|
+
// Converts rem/em/px to number of pixels
|
|
5
|
+
function toPx(value) {
|
|
6
|
+
if (typeof value === 'number')
|
|
7
|
+
return value;
|
|
8
|
+
if (typeof value === 'string') {
|
|
9
|
+
if (value.endsWith('rem')) {
|
|
10
|
+
return parseFloat(value) * 16;
|
|
11
|
+
}
|
|
12
|
+
if (value.endsWith('em')) {
|
|
13
|
+
return parseFloat(value) * 16;
|
|
14
|
+
}
|
|
15
|
+
if (value.endsWith('px')) {
|
|
16
|
+
return parseFloat(value);
|
|
17
|
+
}
|
|
18
|
+
return parseFloat(value);
|
|
19
|
+
}
|
|
20
|
+
return 0;
|
|
21
|
+
}
|
|
22
|
+
/**
|
|
23
|
+
* Checks media queries according to breakpoints
|
|
24
|
+
* @param {...Array<["min"|"max", string]>} args - ex: [ ["min", "xs"], ["max", "lg"] ]
|
|
25
|
+
* @returns {boolean}
|
|
26
|
+
*/
|
|
27
|
+
export function mediaQueries(...args) {
|
|
28
|
+
const bp = get(breakpoints);
|
|
29
|
+
const width = get(viewportWidth) || window.innerWidth;
|
|
30
|
+
let queries = [];
|
|
31
|
+
if (Array.isArray(args[0]) && typeof args[0][0] === 'string') {
|
|
32
|
+
queries = args;
|
|
33
|
+
}
|
|
34
|
+
else if (typeof args[0] === 'string') {
|
|
35
|
+
queries = [args];
|
|
36
|
+
}
|
|
37
|
+
let result = true;
|
|
38
|
+
for (const [type, key] of queries) {
|
|
39
|
+
const value = bp[key];
|
|
40
|
+
const px = toPx(value);
|
|
41
|
+
if (type === 'min') {
|
|
42
|
+
result = result && width >= px;
|
|
43
|
+
}
|
|
44
|
+
else if (type === 'max') {
|
|
45
|
+
result = result && width <= px;
|
|
46
|
+
}
|
|
47
|
+
}
|
|
48
|
+
return result;
|
|
49
|
+
}
|
|
@@ -0,0 +1,23 @@
|
|
|
1
|
+
// store breakpoints and thresholds
|
|
2
|
+
import { writable } from 'svelte/store';
|
|
3
|
+
// presets
|
|
4
|
+
const ref = {
|
|
5
|
+
base: 0, // 0px
|
|
6
|
+
xs: '28rem', //448px
|
|
7
|
+
sm: '40rem', //640px
|
|
8
|
+
md: '48rem', //768px
|
|
9
|
+
lg: '64rem', //1024px
|
|
10
|
+
xl: '80rem', //1280px
|
|
11
|
+
'2xl': '96rem', //1536px
|
|
12
|
+
'3xl': '112rem' //1792px
|
|
13
|
+
};
|
|
14
|
+
export const breakpoints = writable(ref);
|
|
15
|
+
// export function setBreakpoints(newBreakpoints: Breakpoints) {
|
|
16
|
+
// breakpoints.set(newBreakpoints);
|
|
17
|
+
// }
|
|
18
|
+
// export function updateBreakpoint(key: string, value: number) {
|
|
19
|
+
// breakpoints.update((bp) => ({
|
|
20
|
+
// ...bp,
|
|
21
|
+
// [key]: value
|
|
22
|
+
// }));
|
|
23
|
+
// }
|
package/dist/stores/index.d.ts
CHANGED
|
@@ -8,3 +8,5 @@ export declare function setColorScheme(scheme: 'system' | 'dark' | 'light'): voi
|
|
|
8
8
|
export declare function setOpenModal(state: boolean | 'persistent'): void;
|
|
9
9
|
export declare const pushModal: (id: string) => void;
|
|
10
10
|
export declare const popModal: (id: string) => void;
|
|
11
|
+
export * from './breakpoints.js';
|
|
12
|
+
export * from './viewports.js';
|
package/dist/stores/index.js
CHANGED