@beeblock/svelar 0.4.8 → 0.4.9
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/dist/cli/bin.js +55 -55
- package/package.json +1 -1
package/dist/cli/bin.js
CHANGED
|
@@ -1,8 +1,8 @@
|
|
|
1
1
|
#!/usr/bin/env node
|
|
2
|
-
var da=Object.defineProperty;var Qe=(o=>typeof require<"u"?require:typeof Proxy<"u"?new Proxy(o,{get:(e,t)=>(typeof require<"u"?require:e)[t]}):o)(function(o){if(typeof require<"u")return require.apply(this,arguments);throw Error('Dynamic require of "'+o+'" is not supported')});var w=(o,e)=>()=>(o&&(e=o(o=0)),e);var L=(o,e)=>{for(var t in e)da(o,t,{get:e[t],enumerable:!0})};function
|
|
2
|
+
var da=Object.defineProperty;var Qe=(o=>typeof require<"u"?require:typeof Proxy<"u"?new Proxy(o,{get:(e,t)=>(typeof require<"u"?require:e)[t]}):o)(function(o){if(typeof require<"u")return require.apply(this,arguments);throw Error('Dynamic require of "'+o+'" is not supported')});var w=(o,e)=>()=>(o&&(e=o(o=0)),e);var L=(o,e)=>{for(var t in e)da(o,t,{get:e[t],enumerable:!0})};function P(o,e){let t=Symbol.for(o),s=globalThis;return s[t]||(s[t]=e()),s[t]}var k=w(()=>{"use strict"});var R={};L(R,{Connection:()=>f});var ys,f,S=w(()=>{"use strict";k();ys=class{connections=new Map;config=null;defaultName="default";configure(e){this.config=e,this.defaultName=e.default}async connection(e){let t=e??this.defaultName;if(this.connections.has(t))return this.connections.get(t).drizzle;if(!this.config)throw new Error("Database not configured. Call Connection.configure() first, or register DatabaseServiceProvider.");let s=this.config.connections[t];if(!s)throw new Error(`Database connection "${t}" is not defined in configuration.`);let r=await this.createConnection(s);return this.connections.set(t,r),r.drizzle}async rawClient(e){let t=e??this.defaultName;return await this.connection(t),this.connections.get(t).rawClient}async raw(e,t=[],s){let r=await this.connection(s),i=this.getConfig(s);switch(i.driver){case"sqlite":{let a=await this.rawClient(s),n=t.map(m=>typeof m=="boolean"?m?1:0:m instanceof Date?m.toISOString():m),l=a.prepare(e),c=e.trimStart().toUpperCase();return c.startsWith("SELECT")||c.startsWith("PRAGMA")||c.startsWith("WITH")?l.all(...n):l.run(...n)}case"postgres":return(await this.rawClient(s))(e,...t);case"mysql":{let a=await this.rawClient(s),[n]=await a.execute(e,t);return n}default:throw new Error(`Unsupported driver: ${i.driver}`)}}getDriver(e){return this.getConfig(e).driver}getConfig(e){let t=e??this.defaultName;if(!this.config)throw new Error("Database not configured.");let s=this.config.connections[t];if(!s)throw new Error(`Database connection "${t}" is not defined.`);return s}async disconnect(e){if(e){let t=this.connections.get(e);t&&(await this.closeConnection(t),this.connections.delete(e))}else{for(let[t,s]of this.connections)await this.closeConnection(s);this.connections.clear()}}isConnected(e){return this.connections.has(e??this.defaultName)}async transaction(e,t){let s=this.getConfig(t),r=await this.rawClient(t);switch(s.driver){case"sqlite":{r.exec("BEGIN");try{let i=await e();return r.exec("COMMIT"),i}catch(i){throw r.exec("ROLLBACK"),i}}case"postgres":{await r`BEGIN`;try{let i=await e();return await r`COMMIT`,i}catch(i){throw await r`ROLLBACK`,i}}case"mysql":{let i=await r.getConnection();await i.beginTransaction();try{let a=await e();return await i.commit(),i.release(),a}catch(a){throw await i.rollback(),i.release(),a}}default:throw new Error(`Unsupported driver: ${s.driver}`)}}async createConnection(e){switch(e.driver){case"sqlite":return this.createSQLiteConnection(e);case"postgres":return this.createPostgresConnection(e);case"mysql":return this.createMySQLConnection(e);default:throw new Error(`Unsupported database driver: ${e.driver}`)}}async createSQLiteConnection(e){let t=e.filename??e.database??":memory:";try{let s=(await import("better-sqlite3")).default,{drizzle:r}=await import("drizzle-orm/better-sqlite3"),i=new s(t);return i.pragma("journal_mode = WAL"),i.pragma("foreign_keys = ON"),{drizzle:r(i),config:e,rawClient:i}}catch(s){let r;try{r=(await new Function("mod","return import(mod)")("node:sqlite")).DatabaseSync}catch{throw new Error(`No SQLite driver available. Install better-sqlite3 (npm install better-sqlite3) or use Node.js v22+ which includes built-in SQLite support. Original error: ${s instanceof Error?s.message:String(s)}`)}let i=new r(t);i.exec("PRAGMA journal_mode = WAL"),i.exec("PRAGMA foreign_keys = ON");let a={prepare(l){let c=i.prepare(l);return{all(...m){return c.all(...m)},run(...m){return c.run(...m)},get(...m){return c.get(...m)}}},exec(l){i.exec(l)},pragma(l){return i.prepare(`PRAGMA ${l}`).all()},close(){i.close()}},n;try{let{drizzle:l}=await import("drizzle-orm/better-sqlite3");n=l(a)}catch{n=a}return{drizzle:n,config:e,rawClient:a}}}async createPostgresConnection(e){let t=(await import("postgres")).default,{drizzle:s}=await import("drizzle-orm/postgres-js"),r=e.url??`postgres://${e.user}:${e.password}@${e.host??"localhost"}:${e.port??5432}/${e.database}`,i=t(r);return{drizzle:s(i),config:e,rawClient:i}}async createMySQLConnection(e){let t=await import("mysql2/promise"),{drizzle:s}=await import("drizzle-orm/mysql2"),r=t.createPool({host:e.host??"localhost",port:e.port??3306,database:e.database,user:e.user,password:e.password,uri:e.url});return{drizzle:s(r),config:e,rawClient:r}}async closeConnection(e){try{switch(e.config.driver){case"sqlite":e.rawClient.close();break;case"postgres":await e.rawClient.end();break;case"mysql":await e.rawClient.end();break}}catch{}}},f=P("svelar.connection",()=>new ys)});var B,Ps,Y,F,Gr,Ss=w(()=>{"use strict";S();k();B=class{constructor(e){this.column=e}nullable(){return this.column.nullable=!0,this}notNullable(){return this.column.nullable=!1,this}default(e){return this.column.defaultValue=e,this}primary(){return this.column.primaryKey=!0,this}unique(){return this.column.unique=!0,this}unsigned(){return this.column.unsigned=!0,this}references(e,t){return this.column.references={table:t,column:e},new Ps(this.column)}build(){return this.column}},Ps=class{constructor(e){this.column=e}onDelete(e){return this.column.references.onDelete=e,this}onUpdate(e){return this.column.references.onUpdate=e,this}},Y=class{columns=[];indices=[];compositePrimary=null;addColumn(e,t){let s={name:e,type:t,nullable:!1,primaryKey:!1,autoIncrement:!1,unique:!1,unsigned:!1};return this.columns.push(s),new B(s)}increments(e="id"){let t={name:e,type:"INTEGER",nullable:!1,primaryKey:!0,autoIncrement:!0,unique:!1,unsigned:!0};return this.columns.push(t),new B(t)}bigIncrements(e="id"){let t={name:e,type:"BIGINT",nullable:!1,primaryKey:!0,autoIncrement:!0,unique:!1,unsigned:!0};return this.columns.push(t),new B(t)}string(e,t=255){return this.addColumn(e,`VARCHAR(${t})`)}text(e){return this.addColumn(e,"TEXT")}integer(e){return this.addColumn(e,"INTEGER")}bigInteger(e){return this.addColumn(e,"BIGINT")}float(e){return this.addColumn(e,"FLOAT")}decimal(e,t=8,s=2){return this.addColumn(e,`DECIMAL(${t},${s})`)}boolean(e){return this.addColumn(e,"BOOLEAN")}date(e){return this.addColumn(e,"DATE")}datetime(e){return this.addColumn(e,"DATETIME")}timestamp(e){return this.addColumn(e,"TIMESTAMP")}timestamps(){this.timestamp("created_at").nullable(),this.timestamp("updated_at").nullable()}json(e){return this.addColumn(e,"JSON")}blob(e){return this.addColumn(e,"BLOB")}enum(e,t){return this.addColumn(e,`ENUM(${t.map(s=>`'${s}'`).join(",")})`)}uuid(e="id"){return this.addColumn(e,"UUID")}ulid(e="id"){return this.addColumn(e,"ULID")}jsonb(e){return this.addColumn(e,"JSONB")}primary(e){this.compositePrimary=e}index(e,t){let s=Array.isArray(e)?e:[e];this.indices.push({columns:s,unique:!1,name:t})}uniqueIndex(e,t){let s=Array.isArray(e)?e:[e];this.indices.push({columns:s,unique:!0,name:t})}foreign(e){let t=this.columns.find(s=>s.name===e);if(!t)throw new Error(`Column "${e}" must be defined before adding a foreign key.`);return new B(t)}toSQL(e,t){let s=[],r=[];for(let i of this.columns)r.push(this.columnToSQL(i,t));this.compositePrimary&&r.push(`PRIMARY KEY (${this.compositePrimary.join(", ")})`);for(let i of this.columns)if(i.references){let a=`FOREIGN KEY (${i.name}) REFERENCES ${i.references.table}(${i.references.column})`;i.references.onDelete&&(a+=` ON DELETE ${i.references.onDelete}`),i.references.onUpdate&&(a+=` ON UPDATE ${i.references.onUpdate}`),r.push(a)}s.push(`CREATE TABLE ${e} (
|
|
3
3
|
${r.join(`,
|
|
4
4
|
`)}
|
|
5
|
-
)`);for(let i of this.indices){let a=i.name??`idx_${e}_${i.columns.join("_")}`,n=i.unique?"UNIQUE ":"";s.push(`CREATE ${n}INDEX ${a} ON ${e} (${i.columns.join(", ")})`)}return s}columnToSQL(e,t){let s=e.name,r=e.type;if(t==="sqlite"?r=this.mapSQLiteType(r,e):t==="postgres"?r=this.mapPostgresType(r,e):t==="mysql"&&(r=this.mapMySQLType(r,e)),s+=` ${r}`,e.primaryKey&&!this.compositePrimary&&(s+=" PRIMARY KEY",e.autoIncrement&&(t==="sqlite"?s+=" AUTOINCREMENT":t==="postgres"||t==="mysql"&&(s+=" AUTO_INCREMENT"))),!e.nullable&&!e.primaryKey&&(s+=" NOT NULL"),e.unique&&!e.primaryKey&&(s+=" UNIQUE"),e.defaultValue!==void 0){let i=typeof e.defaultValue=="string"?`'${e.defaultValue}'`:e.defaultValue===null?"NULL":e.defaultValue;s+=` DEFAULT ${i}`}return s}mapSQLiteType(e,t){return e==="BOOLEAN"?"INTEGER":e==="UUID"||e==="ULID"||e.startsWith("ENUM")||e==="JSON"||e==="JSONB"?"TEXT":e==="BIGINT"&&t.autoIncrement?"INTEGER":e}mapPostgresType(e,t){return t.autoIncrement&&e==="INTEGER"?"SERIAL":t.autoIncrement&&e==="BIGINT"?"BIGSERIAL":e==="DATETIME"?"TIMESTAMP":e==="BLOB"?"BYTEA":e.startsWith("ENUM")?"TEXT":e==="UUID"?"UUID":e==="ULID"?"VARCHAR(26)":e==="JSON"||e==="JSONB"?"JSONB":e}mapMySQLType(e,t){return e==="BOOLEAN"?"TINYINT(1)":e==="UUID"?"CHAR(36)":e==="ULID"?"CHAR(26)":e==="JSONB"?"JSON":e==="TIMESTAMP"?"DATETIME":t.unsigned&&!e.startsWith("DECIMAL")?`${e} UNSIGNED`:e}},
|
|
5
|
+
)`);for(let i of this.indices){let a=i.name??`idx_${e}_${i.columns.join("_")}`,n=i.unique?"UNIQUE ":"";s.push(`CREATE ${n}INDEX ${a} ON ${e} (${i.columns.join(", ")})`)}return s}columnToSQL(e,t){let s=e.name,r=e.type;if(t==="sqlite"?r=this.mapSQLiteType(r,e):t==="postgres"?r=this.mapPostgresType(r,e):t==="mysql"&&(r=this.mapMySQLType(r,e)),s+=` ${r}`,e.primaryKey&&!this.compositePrimary&&(s+=" PRIMARY KEY",e.autoIncrement&&(t==="sqlite"?s+=" AUTOINCREMENT":t==="postgres"||t==="mysql"&&(s+=" AUTO_INCREMENT"))),!e.nullable&&!e.primaryKey&&(s+=" NOT NULL"),e.unique&&!e.primaryKey&&(s+=" UNIQUE"),e.defaultValue!==void 0){let i=typeof e.defaultValue=="string"?`'${e.defaultValue}'`:e.defaultValue===null?"NULL":e.defaultValue;s+=` DEFAULT ${i}`}return s}mapSQLiteType(e,t){return e==="BOOLEAN"?"INTEGER":e==="UUID"||e==="ULID"||e.startsWith("ENUM")||e==="JSON"||e==="JSONB"?"TEXT":e==="BIGINT"&&t.autoIncrement?"INTEGER":e}mapPostgresType(e,t){return t.autoIncrement&&e==="INTEGER"?"SERIAL":t.autoIncrement&&e==="BIGINT"?"BIGSERIAL":e==="DATETIME"?"TIMESTAMP":e==="BLOB"?"BYTEA":e.startsWith("ENUM")?"TEXT":e==="UUID"?"UUID":e==="ULID"?"VARCHAR(26)":e==="JSON"||e==="JSONB"?"JSONB":e}mapMySQLType(e,t){return e==="BOOLEAN"?"TINYINT(1)":e==="UUID"?"CHAR(36)":e==="ULID"?"CHAR(26)":e==="JSONB"?"JSON":e==="TIMESTAMP"?"DATETIME":t.unsigned&&!e.startsWith("DECIMAL")?`${e} UNSIGNED`:e}},F=class{constructor(e){this.connectionName=e}async createTable(e,t){let s=new Y;t(s);let r=f.getDriver(this.connectionName),i=s.toSQL(e,r);for(let a of i)await f.raw(a,[],this.connectionName)}async dropTable(e){await f.raw(`DROP TABLE IF EXISTS ${e}`,[],this.connectionName)}async dropTableIfExists(e){await f.raw(`DROP TABLE IF EXISTS ${e}`,[],this.connectionName)}async renameTable(e,t){f.getDriver(this.connectionName)==="mysql"?await f.raw(`RENAME TABLE ${e} TO ${t}`,[],this.connectionName):await f.raw(`ALTER TABLE ${e} RENAME TO ${t}`,[],this.connectionName)}async hasTable(e){let t=f.getDriver(this.connectionName),s;switch(t){case"sqlite":s=await f.raw("SELECT name FROM sqlite_master WHERE type='table' AND name=?",[e],this.connectionName);break;case"postgres":s=await f.raw("SELECT tablename FROM pg_tables WHERE tablename = $1",[e],this.connectionName);break;case"mysql":s=await f.raw("SELECT TABLE_NAME FROM information_schema.TABLES WHERE TABLE_NAME = ?",[e],this.connectionName);break;default:throw new Error(`Unsupported driver: ${t}`)}return s.length>0}async addColumn(e,t){let s=new Y;t(s);let r=f.getDriver(this.connectionName),i=s.columns;for(let a of i){let n=s.columnToSQL(a,r);await f.raw(`ALTER TABLE ${e} ADD COLUMN ${n}`,[],this.connectionName)}}async dropColumn(e,t){await f.raw(`ALTER TABLE ${e} DROP COLUMN ${t}`,[],this.connectionName)}},Gr=P("svelar.schema",()=>new F)});var Yr={};L(Yr,{Migration:()=>Te,Migrator:()=>Ee});var Te,Ee,Rs=w(()=>{"use strict";S();Ss();Te=class{schema=new F},Ee=class{migrationsTable="svelar_migrations";connectionName;constructor(e){this.connectionName=e}async ensureMigrationsTable(){let e=new F(this.connectionName);await e.hasTable(this.migrationsTable)||await e.createTable(this.migrationsTable,s=>{s.increments("id"),s.string("migration").unique(),s.integer("batch"),s.timestamp("ran_at").default("CURRENT_TIMESTAMP")})}async run(e){await this.ensureMigrationsTable();let t=await this.getRanMigrations(),s=e.filter(a=>!t.includes(a.name));if(s.length===0)return[];let r=await this.getNextBatch(),i=[];for(let a of s)await a.migration.up(),await f.raw(`INSERT INTO ${this.migrationsTable} (migration, batch) VALUES (?, ?)`,[a.name,r],this.connectionName),i.push(a.name);return i}async rollback(e){await this.ensureMigrationsTable();let t=await this.getLastBatch();if(t===0)return[];let s=await f.raw(`SELECT migration FROM ${this.migrationsTable} WHERE batch = ? ORDER BY id DESC`,[t],this.connectionName),r=[];for(let i of s){let a=i.migration,n=e.find(l=>l.name===a);n&&(await n.migration.down(),await f.raw(`DELETE FROM ${this.migrationsTable} WHERE migration = ?`,[a],this.connectionName),r.push(a))}return r}async reset(e){let t=[];for(;;){let s=await this.rollback(e);if(s.length===0)break;t.push(...s)}return t}async refresh(e){let t=await this.reset(e),s=await this.run(e);return{reset:t,migrated:s}}async fresh(e){let t=await this.dropAllTables(),s=await this.run(e);return{dropped:t,migrated:s}}async dropAllTables(){let e=f.getDriver(this.connectionName),t=[];switch(e){case"sqlite":{t=(await f.raw("SELECT name FROM sqlite_master WHERE type='table' AND name NOT LIKE 'sqlite_%'",[],this.connectionName)).map(r=>r.name),await f.raw("PRAGMA foreign_keys = OFF",[],this.connectionName);for(let r of t)await f.raw(`DROP TABLE IF EXISTS "${r}"`,[],this.connectionName);await f.raw("PRAGMA foreign_keys = ON",[],this.connectionName);break}case"mysql":{t=(await f.raw("SHOW TABLES",[],this.connectionName)).map(r=>Object.values(r)[0]),await f.raw("SET FOREIGN_KEY_CHECKS = 0",[],this.connectionName);for(let r of t)await f.raw(`DROP TABLE IF EXISTS \`${r}\``,[],this.connectionName);await f.raw("SET FOREIGN_KEY_CHECKS = 1",[],this.connectionName);break}case"postgres":{t=(await f.raw("SELECT tablename FROM pg_tables WHERE schemaname = 'public'",[],this.connectionName)).map(r=>r.tablename);for(let r of t)await f.raw(`DROP TABLE IF EXISTS "${r}" CASCADE`,[],this.connectionName);break}default:throw new Error(`Unsupported driver for fresh: ${e}`)}return t}async getRanMigrations(){try{return(await f.raw(`SELECT migration FROM ${this.migrationsTable} ORDER BY batch, id`,[],this.connectionName)).map(t=>t.migration)}catch{return[]}}async status(e){let t=await this.getRanMigrations(),s=new Map;try{let r=await f.raw(`SELECT migration, batch FROM ${this.migrationsTable}`,[],this.connectionName);for(let i of r)s.set(i.migration,i.batch)}catch{}return e.map(r=>({name:r.name,ran:t.includes(r.name),batch:s.get(r.name)??null}))}async getNextBatch(){return await this.getLastBatch()+1}async getLastBatch(){try{return(await f.raw(`SELECT MAX(batch) as max_batch FROM ${this.migrationsTable}`,[],this.connectionName))[0]?.max_batch??0}catch{return 0}}}});var Rt={};L(Rt,{SchedulerLock:()=>$e});import{hostname as Jn}from"os";async function ke(){let{Connection:o}=await Promise.resolve().then(()=>(S(),R));return o}async function Vn(){return(await ke()).getDriver()}var ei,W,$e,Ae=w(()=>{"use strict";ei=!1,W=`${Jn()}:${process.pid}:${Math.random().toString(36).slice(2,10)}`;$e=class{static getOwnerId(){return W}static async ensureTable(){if(ei)return;let e=await ke();switch(e.getDriver()){case"sqlite":await e.raw(`CREATE TABLE IF NOT EXISTS scheduler_locks (
|
|
6
6
|
task_key TEXT PRIMARY KEY,
|
|
7
7
|
owner TEXT NOT NULL,
|
|
8
8
|
expires_at TEXT NOT NULL
|
|
@@ -14,7 +14,7 @@ var da=Object.defineProperty;var Qe=(o=>typeof require<"u"?require:typeof Proxy<
|
|
|
14
14
|
task_key VARCHAR(255) PRIMARY KEY,
|
|
15
15
|
owner VARCHAR(255) NOT NULL,
|
|
16
16
|
expires_at DATETIME NOT NULL
|
|
17
|
-
) ENGINE=InnoDB`);break}ei=!0}static async acquire(e,t=5){await this.ensureTable();let s=await
|
|
17
|
+
) ENGINE=InnoDB`);break}ei=!0}static async acquire(e,t=5){await this.ensureTable();let s=await ke(),r=await Vn(),i=new Date().toISOString(),a=new Date(Date.now()+t*6e4).toISOString();try{await s.transaction(async()=>{switch(await s.raw("DELETE FROM scheduler_locks WHERE task_key = ? AND expires_at < ?",[e,i]),r){case"sqlite":await s.raw("INSERT OR IGNORE INTO scheduler_locks (task_key, owner, expires_at) VALUES (?, ?, ?)",[e,W,a]);break;case"postgres":await s.raw("INSERT INTO scheduler_locks (task_key, owner, expires_at) VALUES ($1, $2, $3) ON CONFLICT (task_key) DO NOTHING",[e,W,a]);break;case"mysql":await s.raw("INSERT IGNORE INTO scheduler_locks (task_key, owner, expires_at) VALUES (?, ?, ?)",[e,W,a]);break}});let n=await s.raw("SELECT owner FROM scheduler_locks WHERE task_key = ?",[e]);return n.length>0&&n[0].owner===W}catch{return!1}}static async release(e){try{await(await ke()).raw("DELETE FROM scheduler_locks WHERE task_key = ? AND owner = ?",[e,W])}catch{}}static async releaseAll(){try{await(await ke()).raw("DELETE FROM scheduler_locks WHERE owner = ?",[W])}catch{}}}});var si={};L(si,{ScheduledTask:()=>Tt,Scheduler:()=>ks,SchedulerLock:()=>$e,cronMatches:()=>Es,parseCron:()=>ti,task:()=>Qn});function De(o,e,t){if(o==="*")return null;let s=new Set;for(let r of o.split(",")){let[i,a]=r.split("/"),n=a?parseInt(a,10):1;if(i==="*")for(let l=e;l<=t;l+=n)s.add(l);else if(i.includes("-")){let[l,c]=i.split("-"),m=parseInt(l,10),p=parseInt(c,10);for(let h=m;h<=p;h+=n)s.add(h)}else s.add(parseInt(i,10))}return[...s].sort((r,i)=>r-i)}function ti(o){let e=o.trim().split(/\s+/);if(e.length!==5)throw new Error(`Invalid cron expression: "${o}". Expected 5 fields.`);return{minute:De(e[0],0,59),hour:De(e[1],0,23),dayOfMonth:De(e[2],1,31),month:De(e[3],1,12),dayOfWeek:De(e[4],0,6)}}function Es(o,e){let t=ti(o),s=e.getMinutes(),r=e.getHours(),i=e.getDate(),a=e.getMonth()+1,n=e.getDay();return!(t.minute&&!t.minute.includes(s)||t.hour&&!t.hour.includes(r)||t.dayOfMonth&&!t.dayOfMonth.includes(i)||t.month&&!t.month.includes(a)||t.dayOfWeek&&!t.dayOfWeek.includes(n))}function Qn(o,e,t){class s extends Tt{name=o;schedule(){return t&&t(this),this}async handle(){return e()}}return new s}var Tt,ks,ri=w(()=>{"use strict";Ae();Tt=class{name=this.constructor.name;_running=!1;withoutOverlapping=!1;_lockTtlMinutes=5;_expression="* * * * *";schedule(){return this}onSuccess(){}onFailure(e){console.error(`[Scheduler] Task "${this.name}" failed:`,e.message)}everyMinute(){return this._expression="* * * * *",this}everyMinutes(e){return this._expression=`*/${e} * * * *`,this}everyFiveMinutes(){return this.everyMinutes(5)}everyTenMinutes(){return this.everyMinutes(10)}everyFifteenMinutes(){return this.everyMinutes(15)}everyThirtyMinutes(){return this.everyMinutes(30)}hourly(){return this._expression="0 * * * *",this}hourlyAt(e){return this._expression=`${e} * * * *`,this}daily(){return this._expression="0 0 * * *",this}dailyAt(e){let[t,s]=e.split(":").map(Number);return this._expression=`${s??0} ${t} * * *`,this}twiceDaily(e=1,t=13){return this._expression=`0 ${e},${t} * * *`,this}weekly(){return this._expression="0 0 * * 0",this}weeklyOn(e,t="00:00"){let[s,r]=t.split(":").map(Number);return this._expression=`${r??0} ${s} * * ${e}`,this}weekdays(){return this._expression=`${this._expression.split(" ").slice(0,4).join(" ")} 1-5`,this}weekends(){return this._expression=`${this._expression.split(" ").slice(0,4).join(" ")} 0,6`,this}monthly(){return this._expression="0 0 1 * *",this}monthlyOn(e,t="00:00"){let[s,r]=t.split(":").map(Number);return this._expression=`${r??0} ${s} ${e} * *`,this}quarterly(){return this._expression="0 0 1 1,4,7,10 *",this}yearly(){return this._expression="0 0 1 1 *",this}cron(e){return this._expression=e,this}preventOverlap(){return this.withoutOverlapping=!0,this}lockExpiresAfter(e){return this._lockTtlMinutes=e,this}getExpression(){return this.schedule(),this._expression}isRunning(){return this._running}async executeTask(){if(this.withoutOverlapping&&this._running)return{task:this.name,success:!0,duration:0,timestamp:new Date};let e=!1;if(this.withoutOverlapping)try{let{SchedulerLock:s}=await Promise.resolve().then(()=>(Ae(),Rt));if(e=await s.acquire(this.name,this._lockTtlMinutes),!e)return{task:this.name,success:!0,duration:0,timestamp:new Date}}catch{}this._running=!0;let t=Date.now();try{await this.handle();let s=Date.now()-t;return await this.onSuccess(),{task:this.name,success:!0,duration:s,timestamp:new Date}}catch(s){let r=Date.now()-t;return await this.onFailure(s),{task:this.name,success:!1,duration:r,error:s.message,timestamp:new Date}}finally{if(this._running=!1,e)try{let{SchedulerLock:s}=await Promise.resolve().then(()=>(Ae(),Rt));await s.release(this.name)}catch{}}}},ks=class{tasks=[];timer=null;history=[];maxHistory=100;_persistToDb=!1;persistToDatabase(){return this._persistToDb=!0,this}register(e){return this.tasks.push(e),this}registerMany(e){for(let t of e)this.register(t);return this}async run(e){let t=e??new Date,s=[];for(let r of this.tasks){let i=r.getExpression();if(Es(i,t)){let a=await r.executeTask();s.push(a),this.addToHistory(a)}}return s}start(){if(this.timer)return;this.run().catch(s=>console.error("[Scheduler] Error:",s));let t=6e4-Date.now()%6e4;this.timer=setTimeout(()=>{this.run().catch(s=>console.error("[Scheduler] Error:",s)),this.timer=setInterval(()=>{this.run().catch(s=>console.error("[Scheduler] Error:",s))},6e4)},t),console.log(`[Scheduler] Started with ${this.tasks.length} task(s). Next tick in ${Math.round(t/1e3)}s.`)}async stop(){this.timer&&(clearTimeout(this.timer),clearInterval(this.timer),this.timer=null);try{let{SchedulerLock:e}=await Promise.resolve().then(()=>(Ae(),Rt));await e.releaseAll()}catch{}console.log("[Scheduler] Stopped.")}getTasks(){return[...this.tasks]}getHistory(){return[...this.history]}dueTasks(e){let t=e??new Date;return this.tasks.filter(s=>Es(s.getExpression(),t))}remove(e){let t=this.tasks.findIndex(s=>s.name===e);return t!==-1?(this.tasks.splice(t,1),!0):!1}clear(){this.tasks=[]}addToHistory(e){this.history.push(e),this.history.length>this.maxHistory&&this.history.shift(),this._persistToDb&&this.persistResult(e).catch(()=>{})}_historyTableEnsured=!1;async ensureHistoryTable(){if(this._historyTableEnsured)return;let{Connection:e}=await Promise.resolve().then(()=>(S(),R));switch(e.getDriver()){case"sqlite":await e.raw(`CREATE TABLE IF NOT EXISTS scheduled_task_runs (
|
|
18
18
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
|
19
19
|
task TEXT NOT NULL,
|
|
20
20
|
success INTEGER NOT NULL,
|
|
@@ -35,11 +35,11 @@ var da=Object.defineProperty;var Qe=(o=>typeof require<"u"?require:typeof Proxy<
|
|
|
35
35
|
duration INT NOT NULL,
|
|
36
36
|
error TEXT,
|
|
37
37
|
ran_at DATETIME NOT NULL
|
|
38
|
-
) ENGINE=InnoDB`);break}this._historyTableEnsured=!0}async persistResult(e){try{await this.ensureHistoryTable();let{Connection:t}=await Promise.resolve().then(()=>(
|
|
38
|
+
) ENGINE=InnoDB`);break}this._historyTableEnsured=!0}async persistResult(e){try{await this.ensureHistoryTable();let{Connection:t}=await Promise.resolve().then(()=>(S(),R));await t.raw("INSERT INTO scheduled_task_runs (task, success, duration, error, ran_at) VALUES (?, ?, ?, ?, ?)",[e.task,e.success,e.duration,e.error||null,e.timestamp.toISOString()])}catch{}}}});var Le={};L(Le,{Job:()=>X,Queue:()=>Ns});var X,kt,As,Z,$t,Ds,Ls,_s,Ms,Ns,ee=w(()=>{"use strict";k();X=class{attempts=0;maxAttempts=3;retryDelay=60;queue="default";failed(e){console.error(`[Queue] Job ${this.constructor.name} permanently failed:`,e.message)}retrying(e){}serialize(){let e={};for(let[t,s]of Object.entries(this))typeof s!="function"&&(e[t]=s);return JSON.stringify(e)}restore(e){for(let[t,s]of Object.entries(e))t!=="attempts"&&t!=="maxAttempts"&&t!=="retryDelay"&&t!=="queue"&&(this[t]=s)}},kt=class{async push(e){try{e.job.attempts=1,await e.job.handle()}catch(t){if(e.attempts+1<e.maxAttempts)return e.attempts++,e.job.attempts=e.attempts+1,e.job.retrying(e.job.attempts),this.push(e);e.job.failed(t)}}async pop(){return null}async size(){return 0}async clear(){}},As=class{queues=new Map;async push(e){let t=e.queue;this.queues.has(t)||this.queues.set(t,[]),this.queues.get(t).push(e)}async pop(e="default"){let t=this.queues.get(e)??[],s=Date.now(),r=t.findIndex(i=>i.availableAt<=s);return r===-1?null:t.splice(r,1)[0]}async size(e="default"){return this.queues.get(e)?.length??0}async clear(e){e?this.queues.delete(e):this.queues.clear()}},Z=class{constructor(e,t){this.table=e;this.registry=t}async getConnection(){let{Connection:e}=await Promise.resolve().then(()=>(S(),R));return e}async push(e){await(await this.getConnection()).raw(`INSERT INTO ${this.table} (id, queue, payload, attempts, max_attempts, available_at, created_at)
|
|
39
39
|
VALUES (?, ?, ?, ?, ?, ?, ?)`,[e.id,e.queue,JSON.stringify({jobClass:e.jobClass,payload:e.payload}),e.attempts,e.maxAttempts,Math.floor(e.availableAt/1e3),Math.floor(e.createdAt/1e3)])}async pop(e="default"){let t=await this.getConnection(),s=Math.floor(Date.now()/1e3),r=await t.raw(`SELECT * FROM ${this.table}
|
|
40
40
|
WHERE queue = ? AND available_at <= ? AND reserved_at IS NULL
|
|
41
|
-
ORDER BY created_at ASC LIMIT 1`,[e,s]);if(!r||r.length===0)return null;let i=r[0];await t.raw(`UPDATE ${this.table} SET reserved_at = ?, attempts = attempts + 1 WHERE id = ?`,[s,i.id]);let a=JSON.parse(i.payload),n=this.registry.resolve(a.jobClass,a.payload);return{id:i.id,jobClass:a.jobClass,payload:a.payload,queue:i.queue,attempts:i.attempts+1,maxAttempts:i.max_attempts,availableAt:i.available_at*1e3,createdAt:i.created_at*1e3,job:n}}async size(e="default"){return(await(await this.getConnection()).raw(`SELECT COUNT(*) as count FROM ${this.table} WHERE queue = ? AND reserved_at IS NULL`,[e]))?.[0]?.count??0}async clear(e){let t=await this.getConnection();e?await t.raw(`DELETE FROM ${this.table} WHERE queue = ?`,[e]):await t.raw(`DELETE FROM ${this.table}`,[])}async delete(e){await(await this.getConnection()).raw(`DELETE FROM ${this.table} WHERE id = ?`,[e])}async release(e,t=0){let s=await this.getConnection(),r=Math.floor(Date.now()/1e3)+t;await s.raw(`UPDATE ${this.table} SET reserved_at = NULL, available_at = ? WHERE id = ?`,[r,e])}},$t=class{queues=new Map;config;registry;_bullmq=null;constructor(e,t){this.config=e,this.registry=t}async getBullMQ(){if(this._bullmq)return this._bullmq;try{return this._bullmq=await Function('return import("bullmq")')(),this._bullmq}catch{throw new Error("bullmq is required for the Redis queue driver. Install it with: npm install bullmq")}}getRedisConnection(){if(this.config.url){let e=new URL(this.config.url);return{host:e.hostname||"localhost",port:parseInt(e.port)||6379,password:e.password||this.config.password||void 0,db:parseInt(e.pathname?.slice(1)||"0")||this.config.db||0}}return{host:this.config.host??"localhost",port:this.config.port??6379,password:this.config.password,db:this.config.db??0}}async getQueue(e){if(this.queues.has(e))return this.queues.get(e);let t=await this.getBullMQ(),s=this.getRedisConnection(),r=this.config.prefix??"svelar",i=new t.Queue(e,{connection:s,prefix:r,defaultJobOptions:{removeOnComplete:this.config.defaultJobOptions?.removeOnComplete??100,removeOnFail:this.config.defaultJobOptions?.removeOnFail??500}});return this.queues.set(e,i),i}async push(e){let t=await this.getQueue(e.queue),s=Math.max(0,e.availableAt-Date.now());await t.add(e.jobClass,{jobClass:e.jobClass,payload:e.payload},{jobId:e.id,delay:s>0?s:void 0,attempts:e.maxAttempts,backoff:{type:"fixed",delay:(e.job.retryDelay??60)*1e3}})}async pop(e){return null}async size(e="default"){let s=await(await this.getQueue(e)).getJobCounts("waiting","delayed","active");return s.waiting+s.delayed+s.active}async clear(e){if(e)await(await this.getQueue(e)).obliterate({force:!0});else for(let t of this.queues.values())await t.obliterate({force:!0})}async createWorker(e,t,s,r){let i=await this.getBullMQ(),a=this.getRedisConnection(),n=this.config.prefix??"svelar",l=new i.Worker(e,async c=>{let m=c.data,p=t.resolve(m.jobClass,m.payload);p.attempts=c.attemptsMade+1,await p.handle()},{connection:a,prefix:n,concurrency:r?.concurrency??1});return l.on("failed",async(c,m)=>{let p=c?.data;if(p)try{let h=t.resolve(p.jobClass,p.payload);c.attemptsMade>=(c.opts?.attempts??3)&&(h.failed(m),await s.store({id:c.id,jobClass:p.jobClass,payload:p.payload,queue:e,attempts:c.attemptsMade,maxAttempts:c.opts?.attempts??3,availableAt:Date.now(),createdAt:c.timestamp??Date.now(),job:h},m))}catch{console.error("[Queue] Failed to resolve job for failure handler:",m.message)}}),l}},Ds=class{table="svelar_failed_jobs";async getConnection(){let{Connection:e}=await Promise.resolve().then(()=>(
|
|
42
|
-
VALUES (?, ?, ?, ?, ?, ?)`,[crypto.randomUUID(),e.queue,e.jobClass,e.payload,t.stack??t.message,Math.floor(Date.now()/1e3)])}catch{console.error("[Queue] Could not persist failed job (run migration to create svelar_failed_jobs table)")}}async all(){return(await(await this.getConnection()).raw(`SELECT * FROM ${this.table} ORDER BY failed_at DESC`,[])??[]).map(s=>({id:s.id,queue:s.queue,jobClass:s.job_class,payload:s.payload,exception:s.exception,failedAt:s.failed_at}))}async find(e){let s=await(await this.getConnection()).raw(`SELECT * FROM ${this.table} WHERE id = ? LIMIT 1`,[e]);if(!s||s.length===0)return null;let r=s[0];return{id:r.id,queue:r.queue,jobClass:r.job_class,payload:r.payload,exception:r.exception,failedAt:r.failed_at}}async forget(e){return await(await this.getConnection()).raw(`DELETE FROM ${this.table} WHERE id = ?`,[e]),!0}async flush(){let e=await this.getConnection(),s=(await e.raw(`SELECT COUNT(*) as count FROM ${this.table}`,[]))?.[0]?.count??0;return await e.raw(`DELETE FROM ${this.table}`,[]),s}},Ls=class{jobs=new Map;register(e){this.jobs.set(e.name,e)}registerAll(e){for(let t of e)this.register(t)}resolve(e,t){let s=this.jobs.get(e);if(!s)throw new Error(`Job class "${e}" is not registered. Call Queue.register(${e}) in your app bootstrap. Registered jobs: [${[...this.jobs.keys()].join(", ")}]`);let r=Object.create(s.prototype);r.attempts=0,r.maxAttempts=3,r.retryDelay=60,r.queue="default";try{let i=JSON.parse(t);r.restore(i)}catch{}return r}has(e){return this.jobs.has(e)}},_s=class{config={default:"sync",connections:{sync:{driver:"sync"}}};drivers=new Map;processing=!1;jobRegistry=new Ls;failedStore=new Ds;_activeWorker=null;configure(e){this.config=e,this.drivers.clear()}register(e){this.jobRegistry.register(e)}registerAll(e){this.jobRegistry.registerAll(e)}async dispatch(e,t){let s=this.config.default,r=this.config.connections[s],i=this.resolveDriver(s);t?.queue&&(e.queue=t.queue),t?.maxAttempts!==void 0&&(e.maxAttempts=t.maxAttempts);let a={id:crypto.randomUUID(),jobClass:e.constructor.name,payload:e.serialize(),queue:e.queue??r?.queue??"default",attempts:0,maxAttempts:e.maxAttempts,availableAt:Date.now()+(t?.delay??0)*1e3,createdAt:Date.now(),job:e};await i.push(a)}async dispatchSync(e){let t=new Et,s={id:crypto.randomUUID(),jobClass:e.constructor.name,payload:e.serialize(),queue:e.queue,attempts:0,maxAttempts:e.maxAttempts,availableAt:Date.now(),createdAt:Date.now(),job:e};await t.push(s)}async chain(e,t){if(e.length===0)return;let s=new Ms(e);t?.queue&&(s.queue=t.queue),t?.maxAttempts!==void 0&&(s.maxAttempts=t.maxAttempts),await this.dispatch(s,t)}async work(e){let t=this.config.default,s=this.resolveDriver(t),r=e?.queue??"default";if(s instanceof $t){let l=await s.createWorker(r,this.jobRegistry,this.failedStore,{concurrency:e?.concurrency??1});return this.processing=!0,this._activeWorker=l,await new Promise(c=>{let m=()=>{this.processing?setTimeout(m,500):l.close().then(c).catch(c)};m()}),0}let i=e?.maxJobs??1/0,a=(e?.sleep??1)*1e3,n=0;for(this.processing=!0;this.processing&&n<i;){let l=await s.pop(r);if(!l){if(i===1/0){await new Promise(c=>setTimeout(c,a));continue}break}l.attempts++,l.job.attempts=l.attempts;try{await l.job.handle(),n++,s instanceof Z&&await s.delete(l.id)}catch(c){if(l.attempts<l.maxAttempts){l.job.retrying(l.attempts);let m=l.job.retryDelay??60;s instanceof Z?await s.release(l.id,m):(l.availableAt=Date.now()+m*1e3,await s.push(l))}else l.job.failed(c),await this.failedStore.store(l,c),s instanceof Z&&await s.delete(l.id)}}return n}async stop(){this.processing=!1,this._activeWorker&&(await this._activeWorker.close(),this._activeWorker=null)}async size(e){return this.resolveDriver(this.config.default).size(e)}async clear(e){return this.resolveDriver(this.config.default).clear(e)}async failed(){return this.failedStore.all()}async retry(e){let t=await this.failedStore.find(e);if(!t)return!1;let s=this.jobRegistry.resolve(t.jobClass,t.payload);return s.queue=t.queue,await this.dispatch(s,{queue:t.queue}),await this.failedStore.forget(e),!0}async retryAll(){let e=await this.failedStore.all(),t=0;for(let s of e)try{let r=this.jobRegistry.resolve(s.jobClass,s.payload);r.queue=s.queue,await this.dispatch(r,{queue:s.queue}),await this.failedStore.forget(s.id),t++}catch{}return t}async forgetFailed(e){return this.failedStore.forget(e)}async flushFailed(){return this.failedStore.flush()}resolveDriver(e){if(this.drivers.has(e))return this.drivers.get(e);let t=this.config.connections[e];if(!t)throw new Error(`Queue connection "${e}" is not defined.`);let s;switch(t.driver){case"sync":s=new Et;break;case"memory":s=new As;break;case"database":s=new Z(t.table??"svelar_jobs",this.jobRegistry);break;case"redis":s=new $t(t,this.jobRegistry);break;default:throw new Error(`Unknown queue driver: ${t.driver}`)}return this.drivers.set(e,s),s}},Ms=class extends X{remainingJobs;constructor(e){super(),this.remainingJobs=[...e],this.maxAttempts=1}async handle(){for(let e of this.remainingJobs){let t=null,s=!1;for(let r=1;r<=e.maxAttempts;r++){e.attempts=r;try{await e.handle(),s=!0;break}catch(i){t=i,r<e.maxAttempts&&(e.retrying(r),e.retryDelay>0&&await new Promise(a=>setTimeout(a,e.retryDelay*1e3)))}}if(!s&&t)throw e.failed(t),new Error(`Chain stopped: ${e.constructor.name} failed after ${e.maxAttempts} attempt(s). Remaining jobs: [${this.remainingJobs.slice(this.remainingJobs.indexOf(e)+1).map(r=>r.constructor.name).join(", ")}]`)}}serialize(){return JSON.stringify({jobs:this.remainingJobs.map(e=>({jobClass:e.constructor.name,payload:e.serialize()}))})}},Ns=S("svelar.queue",()=>new _s)});var j,Is=w(()=>{"use strict";P();j=class o{tableName;selectColumns=["*"];whereClauses=[];joinClauses=[];orderClauses=[];groupByColumns=[];havingClauses=[];limitValue=null;offsetValue=null;eagerLoads=[];isDistinct=!1;connectionName;cteClauses=[];unionClauses=[];modelClass;constructor(e,t,s){this.tableName=e,this.modelClass=t,this.connectionName=s}select(...e){return this.selectColumns=e.length>0?e:["*"],this}addSelect(...e){return this.selectColumns[0]==="*"?this.selectColumns=e:this.selectColumns.push(...e),this}distinct(){return this.isDistinct=!0,this}from(e){return this.tableName=e,this}where(e,t,s){return s===void 0?this.whereClauses.push({type:"basic",column:e,operator:"=",value:t,boolean:"AND"}):this.whereClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"AND"}),this}orWhere(e,t,s){return s===void 0?this.whereClauses.push({type:"basic",column:e,operator:"=",value:t,boolean:"OR"}):this.whereClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"OR"}),this}whereIn(e,t){return this.whereClauses.push({type:"in",column:e,values:t,boolean:"AND"}),this}whereNotIn(e,t){return this.whereClauses.push({type:"notIn",column:e,values:t,boolean:"AND"}),this}whereNull(e){return this.whereClauses.push({type:"null",column:e,boolean:"AND"}),this}whereNotNull(e){return this.whereClauses.push({type:"notNull",column:e,boolean:"AND"}),this}whereBetween(e,t){return this.whereClauses.push({type:"between",column:e,values:t,boolean:"AND"}),this}whereRaw(e,t=[]){return this.whereClauses.push({type:"raw",raw:e,values:t,boolean:"AND"}),this}whereNested(e,t="AND"){let s=new o(this.tableName,this.modelClass,this.connectionName);if(e(s),s.whereClauses.length>0){let{whereSQL:r,whereBindings:i}=s.buildWhere(),a=r.replace(/^WHERE /,"");this.whereClauses.push({type:"raw",raw:`(${a})`,values:i,boolean:t})}return this}orWhereNested(e){return this.whereNested(e,"OR")}whereExists(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.whereClauses.push({type:"exists",subSQL:s,subBindings:r,boolean:"AND"}),this}whereNotExists(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.whereClauses.push({type:"notExists",subSQL:s,subBindings:r,boolean:"AND"}),this}whereSub(e,t,s){let r=new o("__placeholder__",void 0,this.connectionName);s(r);let{sql:i,bindings:a}=r.toSQL();return this.whereClauses.push({type:"sub",column:e,operator:t,subSQL:i,subBindings:a,boolean:"AND"}),this}orWhereRaw(e,t=[]){return this.whereClauses.push({type:"raw",raw:e,values:t,boolean:"OR"}),this}orWhereIn(e,t){return this.whereClauses.push({type:"in",column:e,values:t,boolean:"OR"}),this}orWhereNull(e){return this.whereClauses.push({type:"null",column:e,boolean:"OR"}),this}orWhereNotNull(e){return this.whereClauses.push({type:"notNull",column:e,boolean:"OR"}),this}withCTE(e,t,s=!1){let r=new o("__placeholder__",void 0,this.connectionName);t(r);let{sql:i,bindings:a}=r.toSQL();return this.cteClauses.push({name:e,sql:i,bindings:a,recursive:s}),this}withRecursiveCTE(e,t){return this.withCTE(e,t,!0)}withRawCTE(e,t,s=[],r=!1){return this.cteClauses.push({name:e,sql:t,bindings:s,recursive:r}),this}union(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.unionClauses.push({sql:s,bindings:r,all:!1}),this}unionAll(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.unionClauses.push({sql:s,bindings:r,all:!0}),this}join(e,t,s,r){return this.joinClauses.push({type:"INNER",table:e,first:t,operator:s,second:r}),this}leftJoin(e,t,s,r){return this.joinClauses.push({type:"LEFT",table:e,first:t,operator:s,second:r}),this}rightJoin(e,t,s,r){return this.joinClauses.push({type:"RIGHT",table:e,first:t,operator:s,second:r}),this}crossJoin(e){return this.joinClauses.push({type:"CROSS",table:e,first:"",operator:"",second:""}),this}orderBy(e,t="asc"){return this.orderClauses.push({column:e,direction:t}),this}latest(e="created_at"){return this.orderBy(e,"desc")}oldest(e="created_at"){return this.orderBy(e,"asc")}groupBy(...e){return this.groupByColumns.push(...e),this}having(e,t,s){return this.havingClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"AND"}),this}limit(e){return this.limitValue=e,this}offset(e){return this.offsetValue=e,this}take(e){return this.limit(e)}skip(e){return this.offset(e)}with(...e){return this.eagerLoads.push(...e),this}async get(){let{sql:e,bindings:t}=this.toSQL(),s=await f.raw(e,t,this.connectionName),r=this.hydrateMany(s);return this.eagerLoads.length>0&&this.modelClass&&await this.loadRelations(r),r}async first(){return this.limitValue=1,(await this.get())[0]??null}async firstOrFail(){let e=await this.first();if(!e)throw new Error(`No results found for query on "${this.tableName}".`);return e}async find(e,t="id"){return this.where(t,e).first()}async findOrFail(e,t="id"){return this.where(t,e).firstOrFail()}async count(e="*"){let{sql:t,bindings:s}=this.buildAggregate(`COUNT(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async sum(e){let{sql:t,bindings:s}=this.buildAggregate(`SUM(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async avg(e){let{sql:t,bindings:s}=this.buildAggregate(`AVG(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async max(e){let{sql:t,bindings:s}=this.buildAggregate(`MAX(${e})`);return(await f.raw(t,s,this.connectionName))[0]?.aggregate??null}async min(e){let{sql:t,bindings:s}=this.buildAggregate(`MIN(${e})`);return(await f.raw(t,s,this.connectionName))[0]?.aggregate??null}async exists(){return await this.count()>0}async doesntExist(){return!await this.exists()}async pluck(e){return this.selectColumns=[e],(await f.raw(this.toSQL().sql,this.toSQL().bindings,this.connectionName)).map(s=>s[e])}async value(e){return this.selectColumns=[e],this.limitValue=1,(await f.raw(this.toSQL().sql,this.toSQL().bindings,this.connectionName))[0]?.[e]??null}async chunk(e,t){let s=1,r=!0;for(;r;){let i=this.clone();i.limitValue=e,i.offsetValue=(s-1)*e;let a=await i.get();if(a.length===0||await t(a,s)===!1||a.length<e)break;s++}}when(e,t){return e&&t(this),this}selectRaw(e){return this.selectColumns[0]==="*"?this.selectColumns=[e]:this.selectColumns.push(e),this}async upsert(e,t,s){let r=f.getDriver(this.connectionName),i=Object.keys(e),a=Object.values(e),n=a.map(()=>"?").join(", "),l=s??i.filter(m=>!t.includes(m)),c;if(r==="postgres"){let m=l.map(p=>`${p} = EXCLUDED.${p}`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON CONFLICT (${t.join(", ")}) DO UPDATE SET ${m}`}else if(r==="mysql"){let m=l.map(p=>`${p} = VALUES(${p})`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON DUPLICATE KEY UPDATE ${m}`}else{let m=l.map(p=>`${p} = excluded.${p}`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON CONFLICT (${t.join(", ")}) DO UPDATE SET ${m}`}return f.raw(c,a,this.connectionName)}async insertMany(e){if(e.length===0)return;let t=Object.keys(e[0]),s=[],r=[];for(let a of e){let n=t.map(l=>a[l]);s.push(...n),r.push(`(${n.map(()=>"?").join(", ")})`)}let i=`INSERT INTO ${this.tableName} (${t.join(", ")}) VALUES ${r.join(", ")}`;return f.raw(i,s,this.connectionName)}async firstOrCreate(e,t={}){for(let[a,n]of Object.entries(e))this.where(a,n);let s=await this.first();if(s)return s;let r={...e,...t},i=await new o(this.tableName,this.modelClass,this.connectionName).insertGetId(r);return new o(this.tableName,this.modelClass,this.connectionName).findOrFail(i)}async updateOrCreate(e,t){let s=new o(this.tableName,this.modelClass,this.connectionName);for(let[n,l]of Object.entries(e))s.where(n,l);let r=await s.first();if(r)return await new o(this.tableName,this.modelClass,this.connectionName).where(this.modelClass?.primaryKey??"id",r[this.modelClass?.primaryKey??"id"]).update(t),new o(this.tableName,this.modelClass,this.connectionName).findOrFail(r[this.modelClass?.primaryKey??"id"]);let i={...e,...t},a=await new o(this.tableName,this.modelClass,this.connectionName).insertGetId(i);return new o(this.tableName,this.modelClass,this.connectionName).findOrFail(a)}whereColumn(e,t,s){return s===void 0?this.whereClauses.push({type:"raw",raw:`${e} = ${t}`,values:[],boolean:"AND"}):this.whereClauses.push({type:"raw",raw:`${e} ${t} ${s}`,values:[],boolean:"AND"}),this}havingRaw(e,t=[]){return this.havingClauses.push({type:"raw",raw:e,values:t,boolean:"AND"}),this}orderByRaw(e){return this.orderClauses.push({column:e,direction:"asc"}),this.orderClauses[this.orderClauses.length-1].__raw=!0,this}selectSub(e,t){let s=new o("__placeholder__",void 0,this.connectionName);e(s);let{sql:r,bindings:i}=s.toSQL(),a=`(${r}) as ${t}`;return this.selectColumns[0]==="*"?this.selectColumns=[a]:this.selectColumns.push(a),this._selectBindings||(this._selectBindings=[]),this._selectBindings.push(...i),this}_selectBindings;async truncate(){f.getDriver(this.connectionName)==="sqlite"?(await f.raw(`DELETE FROM ${this.tableName}`,[],this.connectionName),await f.raw("DELETE FROM sqlite_sequence WHERE name = ?",[this.tableName],this.connectionName)):await f.raw(`TRUNCATE TABLE ${this.tableName}`,[],this.connectionName)}async paginate(e=1,t=15){let s=await this.clone().count(),r=Math.ceil(s/t);return this.limitValue=t,this.offsetValue=(e-1)*t,{data:await this.get(),total:s,page:e,perPage:t,lastPage:r,hasMore:e<r}}async insert(e){let t=Object.keys(e),s=Object.values(e),r=s.map(()=>"?").join(", "),i=`INSERT INTO ${this.tableName} (${t.join(", ")}) VALUES (${r})`;return f.raw(i,s,this.connectionName)}async insertGetId(e,t="id"){let s=f.getDriver(this.connectionName),r=Object.keys(e),i=Object.values(e),a=i.map(()=>"?").join(", "),n=`INSERT INTO ${this.tableName} (${r.join(", ")}) VALUES (${a})`;return s==="postgres"?(n+=` RETURNING ${t}`,(await f.raw(n,i,this.connectionName))[0]?.[t]):(await f.raw(n,i,this.connectionName),s==="sqlite"?(await f.raw("SELECT last_insert_rowid() as id",[],this.connectionName))[0]?.id:s==="mysql"?(await f.raw("SELECT LAST_INSERT_ID() as id",[],this.connectionName))[0]?.id:0)}async update(e){let t=Object.keys(e),s=Object.values(e),r=t.map(l=>`${l} = ?`).join(", "),{whereSQL:i,whereBindings:a}=this.buildWhere(),n=`UPDATE ${this.tableName} SET ${r}${i}`;return await f.raw(n,[...s,...a],this.connectionName),1}async delete(){let{whereSQL:e,whereBindings:t}=this.buildWhere(),s=`DELETE FROM ${this.tableName}${e}`;return await f.raw(s,t,this.connectionName),1}async increment(e,t=1){let{whereSQL:s,whereBindings:r}=this.buildWhere(),i=`UPDATE ${this.tableName} SET ${e} = ${e} + ?${s}`;await f.raw(i,[t,...r],this.connectionName)}async decrement(e,t=1){return this.increment(e,-t)}toSQL(){let e=[],t=[];if(this.cteClauses.length>0){let n=this.cteClauses.some(c=>c.recursive)?"WITH RECURSIVE":"WITH",l=this.cteClauses.map(c=>(t.push(...c.bindings),`${c.name} AS (${c.sql})`));e.push(`${n} ${l.join(", ")}`)}this._selectBindings?.length&&t.push(...this._selectBindings);let s=this.isDistinct?"DISTINCT ":"";e.push(`SELECT ${s}${this.selectColumns.join(", ")}`),e.push(`FROM ${this.tableName}`);for(let a of this.joinClauses)a.type==="CROSS"?e.push(`CROSS JOIN ${a.table}`):e.push(`${a.type} JOIN ${a.table} ON ${a.first} ${a.operator} ${a.second}`);let{whereSQL:r,whereBindings:i}=this.buildWhere();if(r&&(e.push(r.trim()),t.push(...i)),this.groupByColumns.length>0&&e.push(`GROUP BY ${this.groupByColumns.join(", ")}`),this.havingClauses.length>0){let a=[];for(let n of this.havingClauses)n.type==="raw"?(a.push(n.raw),n.values&&t.push(...n.values)):(a.push(`${n.column} ${n.operator} ?`),t.push(n.value));e.push(`HAVING ${a.join(" AND ")}`)}if(this.orderClauses.length>0){let a=this.orderClauses.map(n=>n.__raw?n.column:`${n.column} ${n.direction.toUpperCase()}`);e.push(`ORDER BY ${a.join(", ")}`)}if(this.limitValue!==null&&e.push(`LIMIT ${this.limitValue}`),this.offsetValue!==null&&e.push(`OFFSET ${this.offsetValue}`),this.unionClauses.length>0)for(let a of this.unionClauses)e.push(a.all?"UNION ALL":"UNION"),e.push(a.sql),t.push(...a.bindings);return{sql:e.join(" "),bindings:t}}clone(){let e=new o(this.tableName,this.modelClass,this.connectionName);return e.selectColumns=[...this.selectColumns],e.whereClauses=[...this.whereClauses],e.joinClauses=[...this.joinClauses],e.orderClauses=[...this.orderClauses],e.groupByColumns=[...this.groupByColumns],e.havingClauses=[...this.havingClauses],e.limitValue=this.limitValue,e.offsetValue=this.offsetValue,e.eagerLoads=[...this.eagerLoads],e.isDistinct=this.isDistinct,e.cteClauses=[...this.cteClauses],e.unionClauses=[...this.unionClauses],e}buildWhere(){if(this.whereClauses.length===0)return{whereSQL:"",whereBindings:[]};let e=[],t=[];for(let s=0;s<this.whereClauses.length;s++){let r=this.whereClauses[s],i=s===0?"WHERE":r.boolean;switch(r.type){case"basic":if((r.operator==="IS"||r.operator==="IS NOT")&&r.value===null){let l=(r.operator==="IS","null");e.push(`${i} ${r.column} ${r.operator} ${l}`)}else e.push(`${i} ${r.column} ${r.operator} ?`),t.push(r.value);break;case"in":let a=r.values.map(()=>"?").join(", ");e.push(`${i} ${r.column} IN (${a})`),t.push(...r.values);break;case"notIn":let n=r.values.map(()=>"?").join(", ");e.push(`${i} ${r.column} NOT IN (${n})`),t.push(...r.values);break;case"null":e.push(`${i} ${r.column} IS NULL`);break;case"notNull":e.push(`${i} ${r.column} IS NOT NULL`);break;case"between":e.push(`${i} ${r.column} BETWEEN ? AND ?`),t.push(r.values[0],r.values[1]);break;case"raw":e.push(`${i} ${r.raw}`),r.values&&t.push(...r.values);break;case"exists":e.push(`${i} EXISTS (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break;case"notExists":e.push(`${i} NOT EXISTS (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break;case"sub":e.push(`${i} ${r.column} ${r.operator} (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break}}return{whereSQL:e.join(" "),whereBindings:t}}buildAggregate(e){let t=this.selectColumns;this.selectColumns=[`${e} as aggregate`];let s=this.toSQL();return this.selectColumns=t,s}hydrateMany(e){return this.modelClass?e.map(t=>this.modelClass.hydrate(t)):e}async loadRelations(e){if(!(!this.modelClass||e.length===0))for(let t of this.eagerLoads){let r=new this.modelClass()[t]?.();r&&typeof r.eagerLoad=="function"&&await r.eagerLoad(e,t)}}}});var te,se,re,ie,ae,js=w(()=>{"use strict";P();te=class{parentModel;relatedModel;constructor(e,t){this.parentModel=e,this.relatedModel=t}query(){return this.relatedModel.query()}},se=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.localKey=i}async load(t){let s=t.getAttribute(this.localKey);return this.relatedModel.query().where(this.foreignKey,s).first()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.localKey)),i=await this.relatedModel.query().whereIn(this.foreignKey,r).get(),a=new Map;for(let n of i)a.set(n.getAttribute(this.foreignKey),n);for(let n of t){let l=n.getAttribute(this.localKey);n.setRelation(s,a.get(l)??null)}}async create(t){let s=this.parentModel.getAttribute(this.localKey);return this.relatedModel.create({...t,[this.foreignKey]:s})}},re=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.localKey=i}async load(t){let s=t.getAttribute(this.localKey);return this.relatedModel.query().where(this.foreignKey,s).get()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.localKey)),i=await this.relatedModel.query().whereIn(this.foreignKey,r).get(),a=new Map;for(let n of i){let l=n.getAttribute(this.foreignKey);a.has(l)||a.set(l,[]),a.get(l).push(n)}for(let n of t){let l=n.getAttribute(this.localKey);n.setRelation(s,a.get(l)??[])}}async create(t){let s=this.parentModel.getAttribute(this.localKey);return this.relatedModel.create({...t,[this.foreignKey]:s})}async createMany(t){let s=[];for(let r of t)s.push(await this.create(r));return s}},ie=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.ownerKey=i}async load(t){let s=t.getAttribute(this.foreignKey);return s==null?null:this.relatedModel.query().where(this.ownerKey,s).first()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.foreignKey)).filter(n=>n!=null);if(r.length===0){for(let n of t)n.setRelation(s,null);return}let i=await this.relatedModel.query().whereIn(this.ownerKey,r).get(),a=new Map;for(let n of i)a.set(n.getAttribute(this.ownerKey),n);for(let n of t){let l=n.getAttribute(this.foreignKey);n.setRelation(s,a.get(l)??null)}}associate(t){return this.parentModel.setAttribute(this.foreignKey,t.getAttribute(this.ownerKey)),this.parentModel}dissociate(){return this.parentModel.setAttribute(this.foreignKey,null),this.parentModel}},ae=class extends te{constructor(t,s,r,i,a,n="id",l="id"){super(t,s);this.pivotTable=r;this.foreignPivotKey=i;this.relatedPivotKey=a;this.parentKey=n;this.relatedKey=l}async load(t){let s=t.getAttribute(this.parentKey),r=this.relatedModel.tableName,a=(await f.raw(`SELECT ${this.relatedPivotKey} FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ?`,[s])).map(n=>n[this.relatedPivotKey]);return a.length===0?[]:this.relatedModel.query().whereIn(this.relatedKey,a).get()}async eagerLoad(t,s){let r=t.map(p=>p.getAttribute(this.parentKey));if(r.length===0){for(let p of t)p.setRelation(s,[]);return}let i=r.map(()=>"?").join(", "),a=await f.raw(`SELECT * FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} IN (${i})`,r),n=[...new Set(a.map(p=>p[this.relatedPivotKey]))],l=n.length>0?await this.relatedModel.query().whereIn(this.relatedKey,n).get():[],c=new Map;for(let p of l)c.set(p.getAttribute(this.relatedKey),p);let m=new Map;for(let p of a){let h=p[this.foreignPivotKey],u=p[this.relatedPivotKey],b=c.get(u);b&&(m.has(h)||m.set(h,[]),m.get(h).push(b))}for(let p of t){let h=p.getAttribute(this.parentKey);p.setRelation(s,m.get(h)??[])}}async attach(t,s){let r=this.parentModel.getAttribute(this.parentKey),i={[this.foreignPivotKey]:r,[this.relatedPivotKey]:t,...s},a=Object.keys(i),n=Object.values(i),l=n.map(()=>"?").join(", ");await f.raw(`INSERT INTO ${this.pivotTable} (${a.join(", ")}) VALUES (${l})`,n)}async detach(t){let s=this.parentModel.getAttribute(this.parentKey);t?await f.raw(`DELETE FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ? AND ${this.relatedPivotKey} = ?`,[s,t]):await f.raw(`DELETE FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ?`,[s])}async sync(t){await this.detach();for(let s of t)await this.attach(s)}async toggle(t){let s=this.parentModel.getAttribute(this.parentKey);for(let r of t)(await f.raw(`SELECT 1 FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ? AND ${this.relatedPivotKey} = ? LIMIT 1`,[s,r])).length>0?await this.detach(r):await this.attach(r)}}});var ii=w(()=>{"use strict"});var _e,Os=w(()=>{"use strict";_e=class{app;constructor(e){this.app=e}boot(){}}});var ai=w(()=>{"use strict";Os();Mt()});var Me,ne,Mt=w(()=>{"use strict";E();ii();ai();Me=class{listeners=new Map;wildcardListeners=[];onceListeners=new Map;listen(e,t){let s=typeof e=="string"?e:e.name;return this.listeners.has(s)||this.listeners.set(s,[]),this.listeners.get(s).push(t),()=>{let r=this.listeners.get(s);if(r){let i=r.indexOf(t);i>=0&&r.splice(i,1)}}}once(e,t){let s=typeof e=="string"?e:e.name;return this.onceListeners.has(s)||this.onceListeners.set(s,[]),this.onceListeners.get(s).push(t),()=>{let r=this.onceListeners.get(s);if(r){let i=r.indexOf(t);i>=0&&r.splice(i,1)}}}onAny(e){return this.wildcardListeners.push(e),()=>{let t=this.wildcardListeners.indexOf(e);t>=0&&this.wildcardListeners.splice(t,1)}}async dispatch(e){let t=e.constructor.name,s=this.listeners.get(t)??[];for(let i of s)await i(e);let r=this.onceListeners.get(t)??[];for(let i of r)await i(e);this.onceListeners.delete(t);for(let i of this.wildcardListeners)await i(t,e)}async emit(e,t){let s=this.listeners.get(e)??[];for(let i of s)await i(t);let r=this.onceListeners.get(e)??[];for(let i of r)await i(t);this.onceListeners.delete(e);for(let i of this.wildcardListeners)await i(e,t)}subscribe(e){e.subscribe(this)}forget(e){let t=typeof e=="string"?e:e.name;this.listeners.delete(t),this.onceListeners.delete(t)}flush(){this.listeners.clear(),this.onceListeners.clear(),this.wildcardListeners=[]}hasListeners(e){let t=typeof e=="string"?e:e.name;return(this.listeners.get(t)?.length??0)>0||(this.onceListeners.get(t)?.length??0)>0||this.wildcardListeners.length>0}listenerCount(e){let t=typeof e=="string"?e:e.name;return(this.listeners.get(t)?.length??0)+(this.onceListeners.get(t)?.length??0)}},ne=S("svelar.event",()=>new Me)});var Nt,ni=w(()=>{"use strict";Is();js();Mt();Nt=class o{static table;static primaryKey="id";static incrementing=!0;static timestamps=!0;static createdAt="created_at";static updatedAt="updated_at";static casts={};static fillable=[];static hidden=[];static connection=void 0;static hooks=new Map;static observers=new Map;static events=[];attributes={};originalAttributes={};relations={};exists=!1;constructor(e){return e&&this.fill(e),new Proxy(this,{get(t,s,r){return typeof s=="symbol"||s in t||typeof s!="string"||["table","primaryKey","incrementing","timestamps","casts","fillable","hidden","connection"].includes(s)?Reflect.get(t,s,r):typeof t[s]=="function"?t[s].bind(t):t.getAttribute(s)},set(t,s,r){return typeof s=="symbol"||s in t?Reflect.set(t,s,r):(t.setAttribute(s,r),!0)}})}static query(){let e=new this,t=this;return new j(t.table,this,t.connection)}static async find(e){let t=this;return this.query().find(e,t.primaryKey)}static async findOrFail(e){let t=this;return this.query().findOrFail(e,t.primaryKey)}static async all(){return this.query().get()}static async first(){return this.query().first()}static async firstOrFail(){return this.query().firstOrFail()}static where(e,t,s){return this.query().where(e,t,s)}static whereIn(e,t){return this.query().whereIn(e,t)}static whereNull(e){return this.query().whereNull(e)}static whereNotNull(e){return this.query().whereNotNull(e)}static orderBy(e,t){return this.query().orderBy(e,t)}static latest(e){return this.query().latest(e)}static oldest(e){return this.query().oldest(e)}static with(...e){return this.query().with(...e)}static async count(){return this.query().count()}static async create(e){let t=new this,s=this;if(t.fill(e),await t.fireHook("creating"),await t.fireHook("saving"),s.timestamps){let n=new Date().toISOString();t.setAttribute(s.createdAt,n),t.setAttribute(s.updatedAt,n)}let r=t.getInsertableAttributes(),a=await new j(s.table,this,s.connection).insertGetId(r,s.primaryKey);return s.incrementing&&a&&t.setAttribute(s.primaryKey,a),t.syncOriginal(),t.exists=!0,await t.fireHook("created"),await t.fireHook("saved"),t}async save(){let e=this.constructor;if(this.exists){await this.fireHook("updating"),await this.fireHook("saving"),e.timestamps&&this.setAttribute(e.updatedAt,new Date().toISOString());let t=this.getDirty();if(Object.keys(t).length>0){let s=this.getAttribute(e.primaryKey);await new j(e.table,this.constructor,e.connection).where(e.primaryKey,s).update(t)}this.syncOriginal(),await this.fireHook("updated"),await this.fireHook("saved")}else{if(await this.fireHook("creating"),await this.fireHook("saving"),e.timestamps){let i=new Date().toISOString();this.getAttribute(e.createdAt)||this.setAttribute(e.createdAt,i),this.setAttribute(e.updatedAt,i)}let t=this.getInsertableAttributes(),r=await new j(e.table,this.constructor,e.connection).insertGetId(t,e.primaryKey);e.incrementing&&r&&this.setAttribute(e.primaryKey,r),this.syncOriginal(),this.exists=!0,await this.fireHook("created"),await this.fireHook("saved")}}async update(e){this.fill(e),await this.save()}async delete(){let e=this.constructor;await this.fireHook("deleting");let t=this.getAttribute(e.primaryKey);await new j(e.table,this.constructor,e.connection).where(e.primaryKey,t).delete(),this.exists=!1,await this.fireHook("deleted")}async refresh(){let e=this.constructor,t=this.getAttribute(e.primaryKey),s=await this.constructor.find(t);s&&(this.attributes={...s.attributes},this.syncOriginal())}getAttribute(e){let t=this.constructor,s=this.attributes[e],r=t.casts[e];if(r&&s!==void 0&&s!==null)switch(r){case"number":return Number(s);case"boolean":return!!s;case"string":return String(s);case"date":return new Date(s);case"json":return typeof s=="string"?JSON.parse(s):s}return s}setAttribute(e,t){this.constructor.casts[e]==="json"&&typeof t!="string"?this.attributes[e]=JSON.stringify(t):this.attributes[e]=t}fill(e){let t=this.constructor;for(let[s,r]of Object.entries(e))t.fillable.length>0&&!t.fillable.includes(s)||this.setAttribute(s,r)}getAttributes(){return{...this.attributes}}getOriginal(e){return e?this.originalAttributes[e]:{...this.originalAttributes}}getDirty(){let e={};for(let[t,s]of Object.entries(this.attributes))s!==this.originalAttributes[t]&&(e[t]=s);return e}isDirty(...e){let t=this.getDirty();return e.length===0?Object.keys(t).length>0:e.some(s=>s in t)}isClean(...e){return!this.isDirty(...e)}wasChanged(...e){return this.isDirty(...e)}hasOne(e,t,s){return new se(this,e,t,s??this.constructor.primaryKey)}hasMany(e,t,s){return new re(this,e,t,s??this.constructor.primaryKey)}belongsTo(e,t,s){return new ie(this,e,t,s??e.primaryKey)}belongsToMany(e,t,s,r,i,a){return new ae(this,e,t,s,r,i??this.constructor.primaryKey,a??e.primaryKey)}setRelation(e,t){this.relations[e]=t}getRelation(e){return this.relations[e]}relationLoaded(e){return e in this.relations}toJSON(){let e=this.constructor,t={};for(let[s,r]of Object.entries(this.attributes))e.hidden.includes(s)||(t[s]=this.getAttribute(s));for(let[s,r]of Object.entries(this.relations))Array.isArray(r)?t[s]=r.map(i=>i instanceof o?i.toJSON():i):r instanceof o?t[s]=r.toJSON():t[s]=r;return t}toObject(){return this.toJSON()}static hydrate(e){let t=new this;return t.attributes={...e},t.syncOriginal(),t.exists=!0,t}static boot(e){this.hooks.set(this.name,e)}static observe(e){let t=this.observers.get(this.name)??[];t.push(e),this.observers.set(this.name,t)}static removeObservers(){this.observers.delete(this.name)}async fireHook(e){let t=this.constructor,s=o.hooks.get(t.name);s?.[e]&&await s[e](this),typeof this[e]=="function"&&await this[e]();let r=o.observers.get(t.name)??[];for(let a of r){let n=a[e];typeof n=="function"&&await n.call(a,this)}let i=t.name.toLowerCase();await ne.emit(`${i}.${e}`,this)}async fireEvent(e){let t=this.constructor;if(!t.events.includes(e))throw new Error(`Event "${e}" is not declared in ${t.name}.events. Add it to: static events = ['${e}', ...];`);let s=o.observers.get(t.name)??[];for(let i of s){let a=i[e];typeof a=="function"&&await a.call(i,this)}let r=t.name.toLowerCase();await ne.emit(`${r}.${e}`,this)}syncOriginal(){this.originalAttributes={...this.attributes}}getInsertableAttributes(){let e=this.constructor,t={...this.attributes};return e.incrementing&&t[e.primaryKey]===void 0&&delete t[e.primaryKey],t}static get tableName(){return this.table}}});var It,oi=w(()=>{"use strict";It=class{async call(e){await new e().run()}}});var J,li,qs=w(()=>{"use strict";E();J=class{bindings=new Map;aliases=new Map;resolved=new Set;bind(e,t){this.bindings.set(e,{factory:t,singleton:!1,tags:[]})}singleton(e,t){this.bindings.set(e,{factory:t,singleton:!0,tags:[]})}instance(e,t){this.bindings.set(e,{factory:()=>t,singleton:!0,instance:t,tags:[]})}alias(e,t){this.aliases.set(e,t)}async make(e){let t=this.resolveAlias(e),s=this.bindings.get(t);if(!s)throw new Error(`No binding found for "${e}" in the container.`);if(s.singleton&&s.instance!==void 0)return s.instance;let r=await s.factory(this);return s.singleton&&(s.instance=r),this.resolved.add(t),r}makeSync(e){let t=this.resolveAlias(e),s=this.bindings.get(t);if(!s)throw new Error(`No binding found for "${e}" in the container.`);if(s.singleton&&s.instance!==void 0)return s.instance;let r=s.factory(this);if(r instanceof Promise)throw new Error(`Binding "${e}" has an async factory. Use container.make() instead of container.makeSync().`);return s.singleton&&(s.instance=r),this.resolved.add(t),r}has(e){let t=this.resolveAlias(e);return this.bindings.has(t)}isResolved(e){return this.resolved.has(this.resolveAlias(e))}tag(e,t){for(let s of e){let r=this.bindings.get(s);r&&r.tags.push(t)}}async tagged(e){let t=[];for(let[s,r]of this.bindings)r.tags.includes(e)&&t.push(await this.make(s));return t}flush(){for(let e of this.bindings.values())e.singleton&&(e.instance=void 0);this.resolved.clear()}forget(e){this.bindings.delete(e),this.resolved.delete(e)}getBindings(){return[...this.bindings.keys()]}resolveAlias(e){return this.aliases.get(e)??e}},li=S("svelar.container",()=>new J)});var jt,ci=w(()=>{"use strict";qs();jt=class{container;providers=[];booted=!1;constructor(e){this.container=e??new J,this.container.instance("app",this),this.container.instance("container",this.container)}register(e){let t=new e(this.container);return this.providers.push(t),this}async bootstrap(){if(this.booted)return this;for(let e of this.providers)await e.register();for(let e of this.providers)await e.boot();return this.booted=!0,this}isBooted(){return this.booted}async make(e){return this.container.make(e)}getProviders(){return[...this.providers]}}});var $,H,Ot,oe,qt,le,ce,Ut,de,ue=w(()=>{"use strict";$=class{},H=class{middleware=[];namedMiddleware=new Map;use(e){return typeof e=="function"&&"prototype"in e&&typeof e.prototype?.handle=="function"?this.middleware.push(new e):this.middleware.push(e),this}register(e,t){return typeof t=="function"&&"prototype"in t&&typeof t.prototype?.handle=="function"?this.namedMiddleware.set(e,new t):this.namedMiddleware.set(e,t),this}get(e){return this.namedMiddleware.get(e)}async execute(e,t,s){let r=[...this.middleware];if(s)for(let a of s){let n=this.namedMiddleware.get(a);n&&r.push(n)}let i=t;for(let a=r.length-1;a>=0;a--){let n=r[a],l=i;typeof n.handle=="function"?i=()=>n.handle(e,l):i=()=>n(e,l)}return i()}count(){return this.middleware.length}},Ot=class extends ${constructor(t={}){super();this.options=t}async handle(t,s){let r=await s();if(!r)return;let i=Array.isArray(this.options.origin)?this.options.origin.join(", "):this.options.origin??"*";return r.headers.set("Access-Control-Allow-Origin",i),r.headers.set("Access-Control-Allow-Methods",(this.options.methods??["GET","POST","PUT","DELETE","PATCH","OPTIONS"]).join(", ")),r.headers.set("Access-Control-Allow-Headers",(this.options.headers??["Content-Type","Authorization"]).join(", ")),this.options.credentials&&r.headers.set("Access-Control-Allow-Credentials","true"),this.options.maxAge&&r.headers.set("Access-Control-Max-Age",String(this.options.maxAge)),t.event.request.method==="OPTIONS"?new Response(null,{status:204,headers:r.headers}):r}},oe=class extends ${requests=new Map;maxRequests;windowMs;constructor(e={}){super(),this.maxRequests=e.maxRequests??60,this.windowMs=e.windowMs??6e4}async handle(e,t){let s=e.event.request.headers.get("x-forwarded-for")??e.event.getClientAddress?.()??"unknown",r=Date.now(),i=this.requests.get(s);if(i&&r<i.resetAt){if(i.count>=this.maxRequests)return new Response(JSON.stringify({error:"Too many requests"}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(Math.ceil((i.resetAt-r)/1e3))}});i.count++}else this.requests.set(s,{count:1,resetAt:r+this.windowMs});return t()}},qt=class extends ${async handle(e,t){let s=Date.now(),r=e.event.request.method,i=e.event.url.pathname,a=await t(),n=Date.now()-s,l=a instanceof Response?a.status:200;return console.log(`[${new Date().toISOString()}] ${r} ${i} \u2192 ${l} (${n}ms)`),a}},le=class extends ${cookieName;headerName;fieldName;excludePaths;onlyPaths;constructor(e={}){super(),this.cookieName=e.cookieName??"XSRF-TOKEN",this.headerName=e.headerName??"X-CSRF-Token",this.fieldName=e.fieldName??"_csrf",this.excludePaths=e.excludePaths??[],this.onlyPaths=e.onlyPaths??null}async handle(e,t){let{event:s}=e,r=s.request.method.toUpperCase();if(["GET","HEAD","OPTIONS"].includes(r))return this.setTokenAndContinue(e,t);if((s.request.headers.get("authorization")??"").startsWith("Bearer "))return t();let a=s.url.pathname;if(this.onlyPaths&&!this.onlyPaths.some(c=>a.startsWith(c)))return this.setTokenAndContinue(e,t);if(this.excludePaths.some(c=>a.startsWith(c)))return t();let n=this.getCookieToken(s),l=s.request.headers.get(this.headerName)??await this.getBodyToken(s);return!n||!l||!this.timingSafeEqual(n,l)?new Response(JSON.stringify({message:"CSRF token mismatch"}),{status:419,headers:{"Content-Type":"application/json"}}):t()}async setTokenAndContinue(e,t){let s=await t();if(!(s instanceof Response))return s;let i=this.getCookieToken(e.event)||this.generateToken();return s.headers.append("Set-Cookie",`${this.cookieName}=${i}; Path=/; SameSite=Lax`),s}getCookieToken(e){let s=(e.request.headers.get("cookie")??"").match(new RegExp(`${this.cookieName}=([^;]+)`));return s?s[1]:null}async getBodyToken(e){try{let t=e.request.headers.get("content-type")??"";if(t.includes("application/x-www-form-urlencoded")||t.includes("multipart/form-data"))return(await e.request.clone().formData()).get(this.fieldName);if(t.includes("application/json"))return(await e.request.clone().json())[this.fieldName]??null}catch{}return null}generateToken(){let e=new Uint8Array(32);return crypto.getRandomValues(e),Array.from(e,t=>t.toString(16).padStart(2,"0")).join("")}timingSafeEqual(e,t){if(e.length!==t.length)return!1;let s=new TextEncoder,r=s.encode(e),i=s.encode(t),a=0;for(let n=0;n<r.length;n++)a|=r[n]^i[n];return a===0}},ce=class extends ${allowedOrigins;constructor(e={}){super(),this.allowedOrigins=new Set(e.allowedOrigins??[])}async handle(e,t){let{event:s}=e,r=s.request.method.toUpperCase();if(["GET","HEAD","OPTIONS"].includes(r)||(s.request.headers.get("authorization")??"").startsWith("Bearer "))return t();let a=s.request.headers.get("origin");if(!a)return t();let n=s.url.origin;return a===n||this.allowedOrigins.has(a)?t():new Response(JSON.stringify({message:"Cross-origin request blocked"}),{status:403,headers:{"Content-Type":"application/json"}})}},Ut=class extends ${secret;tolerance;signatureHeader;timestampHeader;onlyPaths;constructor(e){super(),this.secret=e.secret,this.tolerance=e.tolerance??300,this.signatureHeader=e.signatureHeader??"X-Signature",this.timestampHeader=e.timestampHeader??"X-Timestamp",this.onlyPaths=e.onlyPaths??null}async handle(e,t){let{event:s}=e;if(this.onlyPaths){let y=s.url.pathname;if(!this.onlyPaths.some(v=>y.startsWith(v)))return t()}let r=s.request.headers.get(this.signatureHeader),i=s.request.headers.get(this.timestampHeader);if(!r||!i)return new Response(JSON.stringify({message:"Missing request signature"}),{status:401,headers:{"Content-Type":"application/json"}});let a=parseInt(i,10),n=Math.floor(Date.now()/1e3);if(isNaN(a)||Math.abs(n-a)>this.tolerance)return new Response(JSON.stringify({message:"Request signature expired"}),{status:401,headers:{"Content-Type":"application/json"}});let c=await s.request.clone().text(),{createHmac:m}=await import("crypto"),p=s.request.method.toUpperCase(),h=s.url.pathname+s.url.search,u=`${i}.${p}.${h}.${c}`,b=m("sha256",this.secret).update(u).digest("hex");return r.length!==b.length||!this.timingSafeCompare(r,b)?new Response(JSON.stringify({message:"Invalid request signature"}),{status:401,headers:{"Content-Type":"application/json"}}):t()}timingSafeCompare(e,t){if(e.length!==t.length)return!1;let s=new TextEncoder,r=s.encode(e),i=s.encode(t),a=0;for(let n=0;n<r.length;n++)a|=r[n]^i[n];return a===0}static sign(e,t,s,r,i){let{createHmac:a}=Qe("crypto"),n=i??Math.floor(Date.now()/1e3),l=`${n}.${t.toUpperCase()}.${s}.${r}`;return{signature:a("sha256",e).update(l).digest("hex"),timestamp:n}}},de=class extends ${attempts=new Map;maxAttempts;decayMinutes;constructor(e={}){super(),this.maxAttempts=e.maxAttempts??5,this.decayMinutes=e.decayMinutes??1}async handle(e,t){let r=`${e.event.request.headers.get("x-forwarded-for")??e.event.getClientAddress?.()??"unknown"}:${e.event.url.pathname}`,i=Date.now(),a=this.attempts.get(r);if(a){if(i<a.blockedUntil){let l=Math.ceil((a.blockedUntil-i)/1e3);return new Response(JSON.stringify({message:"Too many attempts. Please try again later.",retry_after:l}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(l)}})}if(a.count>=this.maxAttempts){a.blockedUntil=i+this.decayMinutes*6e4,a.count=0;let l=this.decayMinutes*60;return new Response(JSON.stringify({message:"Too many attempts. Please try again later.",retry_after:l}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(l)}})}}let n=await t();if(n instanceof Response&&n.status>=400&&n.status<500){let l=this.attempts.get(r)??{count:0,blockedUntil:0};if(l.count++,this.attempts.set(r,l),this.attempts.size>1e4)for(let[c,m]of this.attempts)i>m.blockedUntil+this.decayMinutes*6e4*2&&this.attempts.delete(c)}return n}}});import{z as me}from"zod";function di(o,e=!1){let t=new o;return e?{GET:t.handle("show"),PUT:t.handle("update"),PATCH:t.handle("update"),DELETE:t.handle("destroy")}:{GET:t.handle("index"),POST:t.handle("store")}}var Ft,z,Ne,Ie,je,ui=w(()=>{"use strict";ue();Ft=class{controllerMiddleware=[];middleware(e,t){let s;typeof e=="function"&&e.prototype instanceof $?s=new e:s=e,this.controllerMiddleware.push({middleware:s,only:t?.only,except:t?.except})}handle(e){return async t=>{try{let s=this.controllerMiddleware.filter(r=>!(r.only&&!r.only.includes(e)||r.except&&r.except.includes(e)));if(s.length>0){let r=new H;for(let{middleware:n}of s)r.use(n);let i={event:t,params:t.params,locals:t.locals},a=await r.execute(i,async()=>this.callMethod(e,t));if(a instanceof Response)return a}return await this.callMethod(e,t)}catch(s){return this.handleError(s,t)}}}json(e,t=200,s={}){let r=JSON.stringify(e,null,2);return new Response(r,{status:t,headers:{"Content-Type":"application/json",...s}})}text(e,t=200){return new Response(e,{status:t,headers:{"Content-Type":"text/plain"}})}html(e,t=200){return new Response(e,{status:t,headers:{"Content-Type":"text/html"}})}redirect(e,t=302){return new Response(null,{status:t,headers:{Location:e}})}noContent(){return new Response(null,{status:204})}created(e){return e?this.json(e,201):new Response(null,{status:201})}async validate(e,t){let s=t instanceof me.ZodObject?t:me.object(t),r,i=e.request.headers.get("content-type")??"";if(i.includes("application/json"))r=await e.request.json();else if(i.includes("multipart/form-data")||i.includes("application/x-www-form-urlencoded")){let n=await e.request.formData();r=Object.fromEntries(n)}else r=Object.fromEntries(e.url.searchParams);let a=s.safeParse(r);if(!a.success)throw new z(a.error);return a.data}validateQuery(e,t){let s=t instanceof me.ZodObject?t:me.object(t),r=Object.fromEntries(e.url.searchParams),i=s.safeParse(r);if(!i.success)throw new z(i.error);return i.data}validateParams(e,t){let r=(t instanceof me.ZodObject?t:me.object(t)).safeParse(e.params);if(!r.success)throw new z(r.error);return r.data}handleError(e,t){return e instanceof z?this.json({message:"Validation failed",errors:e.errors},422):e instanceof Ne?this.json({message:e.message||"Not found"},404):e instanceof Ie?this.json({message:e.message||"Unauthorized"},401):e instanceof je?this.json({message:e.message||"Forbidden"},403):(console.error("[Svelar] Controller error:",e),this.json({message:process.env.NODE_ENV==="production"?"Internal server error":e.message},500))}async callMethod(e,t){let s=this[e];if(typeof s!="function")throw new Error(`Method "${e}" not found on controller "${this.constructor.name}".`);let r=await s.call(this,t);return r instanceof Response?r:this.json(r)}};z=class extends Error{errors;constructor(e){super("Validation failed"),this.name="ValidationError",this.errors={};for(let t of e.issues){let s=t.path.join(".");this.errors[s]||(this.errors[s]=[]),this.errors[s].push(t.message)}}},Ne=class extends Error{constructor(e="Not found"){super(e),this.name="NotFoundError"}},Ie=class extends Error{constructor(e="Unauthorized"){super(e),this.name="UnauthorizedError"}},je=class extends Error{constructor(e="Forbidden"){super(e),this.name="ForbiddenError"}}});import{randomBytes as Xn,createHmac as mi,timingSafeEqual as eo}from"crypto";import{promises as K}from"fs";import{join as Oe}from"path";var pe,qe,V,Bt,Ht,zt,he,Us=w(()=>{"use strict";ue();pe=class o{constructor(e,t){this.id=e;t&&(this.data={...t},this.data._flash&&(this.previousFlashData=this.data._flash,delete this.data._flash))}data={};dirty=!1;flashData={};previousFlashData={};get(e,t){return e in this.flashData?this.flashData[e]:e in this.previousFlashData?this.previousFlashData[e]:e in this.data?this.data[e]:t}set(e,t){this.data[e]=t,this.dirty=!0}has(e){return e in this.data||e in this.flashData||e in this.previousFlashData}forget(e){delete this.data[e],this.dirty=!0}flush(){this.data={},this.dirty=!0}flash(e,t){this.flashData[e]=t,this.dirty=!0}all(){return{...this.data,...this.previousFlashData,...this.flashData}}isDirty(){return this.dirty||Object.keys(this.flashData).length>0}toPersist(){let e={...this.data};return Object.keys(this.flashData).length>0&&(e._flash=this.flashData),e}regenerateId(){let e=this.id,t=o.generateId();this.id=t,this.dirty=!0;let s=qe.get(e);return s instanceof V&&s.markOldSessionId(e),qe.delete(e),t}static generateId(){return Xn(32).toString("hex")}},qe=new Map,V=class{sessions=new Map;oldSessionIds=new Set;async read(e){if(this.oldSessionIds.has(e))return null;let t=this.sessions.get(e);return t?Date.now()>t.expiresAt?(this.sessions.delete(e),null):t.data:null}async write(e,t,s){this.sessions.set(e,{data:t,expiresAt:Date.now()+s*1e3}),qe.set(e,this)}async destroy(e){this.sessions.delete(e),qe.delete(e)}async gc(e){let t=Date.now();for(let[s,r]of this.sessions)t>r.expiresAt&&(this.sessions.delete(s),qe.delete(s))}markOldSessionId(e){this.oldSessionIds.add(e),this.sessions.delete(e)}},Bt=class{constructor(e="sessions",t){this.tableName=e;this.connectionName=t}tableEnsured=!1;async ensureTable(){if(!this.tableEnsured)try{let{Connection:e}=await Promise.resolve().then(()=>(P(),R));switch(e.getDriver(this.connectionName)){case"sqlite":await e.raw(`CREATE TABLE IF NOT EXISTS ${this.tableName} (
|
|
41
|
+
ORDER BY created_at ASC LIMIT 1`,[e,s]);if(!r||r.length===0)return null;let i=r[0];await t.raw(`UPDATE ${this.table} SET reserved_at = ?, attempts = attempts + 1 WHERE id = ?`,[s,i.id]);let a=JSON.parse(i.payload),n=this.registry.resolve(a.jobClass,a.payload);return{id:i.id,jobClass:a.jobClass,payload:a.payload,queue:i.queue,attempts:i.attempts+1,maxAttempts:i.max_attempts,availableAt:i.available_at*1e3,createdAt:i.created_at*1e3,job:n}}async size(e="default"){return(await(await this.getConnection()).raw(`SELECT COUNT(*) as count FROM ${this.table} WHERE queue = ? AND reserved_at IS NULL`,[e]))?.[0]?.count??0}async clear(e){let t=await this.getConnection();e?await t.raw(`DELETE FROM ${this.table} WHERE queue = ?`,[e]):await t.raw(`DELETE FROM ${this.table}`,[])}async delete(e){await(await this.getConnection()).raw(`DELETE FROM ${this.table} WHERE id = ?`,[e])}async release(e,t=0){let s=await this.getConnection(),r=Math.floor(Date.now()/1e3)+t;await s.raw(`UPDATE ${this.table} SET reserved_at = NULL, available_at = ? WHERE id = ?`,[r,e])}},$t=class{queues=new Map;config;registry;_bullmq=null;constructor(e,t){this.config=e,this.registry=t}async getBullMQ(){if(this._bullmq)return this._bullmq;try{return this._bullmq=await Function('return import("bullmq")')(),this._bullmq}catch{throw new Error("bullmq is required for the Redis queue driver. Install it with: npm install bullmq")}}getRedisConnection(){if(this.config.url){let e=new URL(this.config.url);return{host:e.hostname||"localhost",port:parseInt(e.port)||6379,password:e.password||this.config.password||void 0,db:parseInt(e.pathname?.slice(1)||"0")||this.config.db||0}}return{host:this.config.host??"localhost",port:this.config.port??6379,password:this.config.password,db:this.config.db??0}}async getQueue(e){if(this.queues.has(e))return this.queues.get(e);let t=await this.getBullMQ(),s=this.getRedisConnection(),r=this.config.prefix??"svelar",i=new t.Queue(e,{connection:s,prefix:r,defaultJobOptions:{removeOnComplete:this.config.defaultJobOptions?.removeOnComplete??100,removeOnFail:this.config.defaultJobOptions?.removeOnFail??500}});return this.queues.set(e,i),i}async push(e){let t=await this.getQueue(e.queue),s=Math.max(0,e.availableAt-Date.now());await t.add(e.jobClass,{jobClass:e.jobClass,payload:e.payload},{jobId:e.id,delay:s>0?s:void 0,attempts:e.maxAttempts,backoff:{type:"fixed",delay:(e.job.retryDelay??60)*1e3}})}async pop(e){return null}async size(e="default"){let s=await(await this.getQueue(e)).getJobCounts("waiting","delayed","active");return s.waiting+s.delayed+s.active}async clear(e){if(e)await(await this.getQueue(e)).obliterate({force:!0});else for(let t of this.queues.values())await t.obliterate({force:!0})}async createWorker(e,t,s,r){let i=await this.getBullMQ(),a=this.getRedisConnection(),n=this.config.prefix??"svelar",l=new i.Worker(e,async c=>{let m=c.data,p=t.resolve(m.jobClass,m.payload);p.attempts=c.attemptsMade+1,await p.handle()},{connection:a,prefix:n,concurrency:r?.concurrency??1});return l.on("failed",async(c,m)=>{let p=c?.data;if(p)try{let h=t.resolve(p.jobClass,p.payload);c.attemptsMade>=(c.opts?.attempts??3)&&(h.failed(m),await s.store({id:c.id,jobClass:p.jobClass,payload:p.payload,queue:e,attempts:c.attemptsMade,maxAttempts:c.opts?.attempts??3,availableAt:Date.now(),createdAt:c.timestamp??Date.now(),job:h},m))}catch{console.error("[Queue] Failed to resolve job for failure handler:",m.message)}}),l}},Ds=class{table="svelar_failed_jobs";async getConnection(){let{Connection:e}=await Promise.resolve().then(()=>(S(),R));return e}async store(e,t){try{await(await this.getConnection()).raw(`INSERT INTO ${this.table} (id, queue, job_class, payload, exception, failed_at)
|
|
42
|
+
VALUES (?, ?, ?, ?, ?, ?)`,[crypto.randomUUID(),e.queue,e.jobClass,e.payload,t.stack??t.message,Math.floor(Date.now()/1e3)])}catch{console.error("[Queue] Could not persist failed job (run migration to create svelar_failed_jobs table)")}}async all(){return(await(await this.getConnection()).raw(`SELECT * FROM ${this.table} ORDER BY failed_at DESC`,[])??[]).map(s=>({id:s.id,queue:s.queue,jobClass:s.job_class,payload:s.payload,exception:s.exception,failedAt:s.failed_at}))}async find(e){let s=await(await this.getConnection()).raw(`SELECT * FROM ${this.table} WHERE id = ? LIMIT 1`,[e]);if(!s||s.length===0)return null;let r=s[0];return{id:r.id,queue:r.queue,jobClass:r.job_class,payload:r.payload,exception:r.exception,failedAt:r.failed_at}}async forget(e){return await(await this.getConnection()).raw(`DELETE FROM ${this.table} WHERE id = ?`,[e]),!0}async flush(){let e=await this.getConnection(),s=(await e.raw(`SELECT COUNT(*) as count FROM ${this.table}`,[]))?.[0]?.count??0;return await e.raw(`DELETE FROM ${this.table}`,[]),s}},Ls=class{jobs=new Map;register(e){this.jobs.set(e.name,e)}registerAll(e){for(let t of e)this.register(t)}resolve(e,t){let s=this.jobs.get(e);if(!s)throw new Error(`Job class "${e}" is not registered. Call Queue.register(${e}) in your app bootstrap. Registered jobs: [${[...this.jobs.keys()].join(", ")}]`);let r=Object.create(s.prototype);r.attempts=0,r.maxAttempts=3,r.retryDelay=60,r.queue="default";try{let i=JSON.parse(t);r.restore(i)}catch{}return r}has(e){return this.jobs.has(e)}},_s=class{config={default:"sync",connections:{sync:{driver:"sync"}}};drivers=new Map;processing=!1;jobRegistry=new Ls;failedStore=new Ds;_activeWorker=null;configure(e){this.config=e,this.drivers.clear()}register(e){this.jobRegistry.register(e)}registerAll(e){this.jobRegistry.registerAll(e)}async dispatch(e,t){let s=this.config.default,r=this.config.connections[s],i=this.resolveDriver(s);t?.queue&&(e.queue=t.queue),t?.maxAttempts!==void 0&&(e.maxAttempts=t.maxAttempts);let a={id:crypto.randomUUID(),jobClass:e.constructor.name,payload:e.serialize(),queue:e.queue??r?.queue??"default",attempts:0,maxAttempts:e.maxAttempts,availableAt:Date.now()+(t?.delay??0)*1e3,createdAt:Date.now(),job:e};await i.push(a)}async dispatchSync(e){let t=new kt,s={id:crypto.randomUUID(),jobClass:e.constructor.name,payload:e.serialize(),queue:e.queue,attempts:0,maxAttempts:e.maxAttempts,availableAt:Date.now(),createdAt:Date.now(),job:e};await t.push(s)}async chain(e,t){if(e.length===0)return;let s=new Ms(e);t?.queue&&(s.queue=t.queue),t?.maxAttempts!==void 0&&(s.maxAttempts=t.maxAttempts),await this.dispatch(s,t)}async work(e){let t=this.config.default,s=this.resolveDriver(t),r=e?.queue??"default";if(s instanceof $t){let l=await s.createWorker(r,this.jobRegistry,this.failedStore,{concurrency:e?.concurrency??1});return this.processing=!0,this._activeWorker=l,await new Promise(c=>{let m=()=>{this.processing?setTimeout(m,500):l.close().then(c).catch(c)};m()}),0}let i=e?.maxJobs??1/0,a=(e?.sleep??1)*1e3,n=0;for(this.processing=!0;this.processing&&n<i;){let l=await s.pop(r);if(!l){if(i===1/0){await new Promise(c=>setTimeout(c,a));continue}break}l.attempts++,l.job.attempts=l.attempts;try{await l.job.handle(),n++,s instanceof Z&&await s.delete(l.id)}catch(c){if(l.attempts<l.maxAttempts){l.job.retrying(l.attempts);let m=l.job.retryDelay??60;s instanceof Z?await s.release(l.id,m):(l.availableAt=Date.now()+m*1e3,await s.push(l))}else l.job.failed(c),await this.failedStore.store(l,c),s instanceof Z&&await s.delete(l.id)}}return n}async stop(){this.processing=!1,this._activeWorker&&(await this._activeWorker.close(),this._activeWorker=null)}async size(e){return this.resolveDriver(this.config.default).size(e)}async clear(e){return this.resolveDriver(this.config.default).clear(e)}async failed(){return this.failedStore.all()}async retry(e){let t=await this.failedStore.find(e);if(!t)return!1;let s=this.jobRegistry.resolve(t.jobClass,t.payload);return s.queue=t.queue,await this.dispatch(s,{queue:t.queue}),await this.failedStore.forget(e),!0}async retryAll(){let e=await this.failedStore.all(),t=0;for(let s of e)try{let r=this.jobRegistry.resolve(s.jobClass,s.payload);r.queue=s.queue,await this.dispatch(r,{queue:s.queue}),await this.failedStore.forget(s.id),t++}catch{}return t}async forgetFailed(e){return this.failedStore.forget(e)}async flushFailed(){return this.failedStore.flush()}resolveDriver(e){if(this.drivers.has(e))return this.drivers.get(e);let t=this.config.connections[e];if(!t)throw new Error(`Queue connection "${e}" is not defined.`);let s;switch(t.driver){case"sync":s=new kt;break;case"memory":s=new As;break;case"database":s=new Z(t.table??"svelar_jobs",this.jobRegistry);break;case"redis":s=new $t(t,this.jobRegistry);break;default:throw new Error(`Unknown queue driver: ${t.driver}`)}return this.drivers.set(e,s),s}},Ms=class extends X{remainingJobs;constructor(e){super(),this.remainingJobs=[...e],this.maxAttempts=1}async handle(){for(let e of this.remainingJobs){let t=null,s=!1;for(let r=1;r<=e.maxAttempts;r++){e.attempts=r;try{await e.handle(),s=!0;break}catch(i){t=i,r<e.maxAttempts&&(e.retrying(r),e.retryDelay>0&&await new Promise(a=>setTimeout(a,e.retryDelay*1e3)))}}if(!s&&t)throw e.failed(t),new Error(`Chain stopped: ${e.constructor.name} failed after ${e.maxAttempts} attempt(s). Remaining jobs: [${this.remainingJobs.slice(this.remainingJobs.indexOf(e)+1).map(r=>r.constructor.name).join(", ")}]`)}}serialize(){return JSON.stringify({jobs:this.remainingJobs.map(e=>({jobClass:e.constructor.name,payload:e.serialize()}))})}},Ns=P("svelar.queue",()=>new _s)});var j,Is=w(()=>{"use strict";S();j=class o{tableName;selectColumns=["*"];whereClauses=[];joinClauses=[];orderClauses=[];groupByColumns=[];havingClauses=[];limitValue=null;offsetValue=null;eagerLoads=[];isDistinct=!1;connectionName;cteClauses=[];unionClauses=[];modelClass;constructor(e,t,s){this.tableName=e,this.modelClass=t,this.connectionName=s}select(...e){return this.selectColumns=e.length>0?e:["*"],this}addSelect(...e){return this.selectColumns[0]==="*"?this.selectColumns=e:this.selectColumns.push(...e),this}distinct(){return this.isDistinct=!0,this}from(e){return this.tableName=e,this}where(e,t,s){return s===void 0?this.whereClauses.push({type:"basic",column:e,operator:"=",value:t,boolean:"AND"}):this.whereClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"AND"}),this}orWhere(e,t,s){return s===void 0?this.whereClauses.push({type:"basic",column:e,operator:"=",value:t,boolean:"OR"}):this.whereClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"OR"}),this}whereIn(e,t){return this.whereClauses.push({type:"in",column:e,values:t,boolean:"AND"}),this}whereNotIn(e,t){return this.whereClauses.push({type:"notIn",column:e,values:t,boolean:"AND"}),this}whereNull(e){return this.whereClauses.push({type:"null",column:e,boolean:"AND"}),this}whereNotNull(e){return this.whereClauses.push({type:"notNull",column:e,boolean:"AND"}),this}whereBetween(e,t){return this.whereClauses.push({type:"between",column:e,values:t,boolean:"AND"}),this}whereRaw(e,t=[]){return this.whereClauses.push({type:"raw",raw:e,values:t,boolean:"AND"}),this}whereNested(e,t="AND"){let s=new o(this.tableName,this.modelClass,this.connectionName);if(e(s),s.whereClauses.length>0){let{whereSQL:r,whereBindings:i}=s.buildWhere(),a=r.replace(/^WHERE /,"");this.whereClauses.push({type:"raw",raw:`(${a})`,values:i,boolean:t})}return this}orWhereNested(e){return this.whereNested(e,"OR")}whereExists(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.whereClauses.push({type:"exists",subSQL:s,subBindings:r,boolean:"AND"}),this}whereNotExists(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.whereClauses.push({type:"notExists",subSQL:s,subBindings:r,boolean:"AND"}),this}whereSub(e,t,s){let r=new o("__placeholder__",void 0,this.connectionName);s(r);let{sql:i,bindings:a}=r.toSQL();return this.whereClauses.push({type:"sub",column:e,operator:t,subSQL:i,subBindings:a,boolean:"AND"}),this}orWhereRaw(e,t=[]){return this.whereClauses.push({type:"raw",raw:e,values:t,boolean:"OR"}),this}orWhereIn(e,t){return this.whereClauses.push({type:"in",column:e,values:t,boolean:"OR"}),this}orWhereNull(e){return this.whereClauses.push({type:"null",column:e,boolean:"OR"}),this}orWhereNotNull(e){return this.whereClauses.push({type:"notNull",column:e,boolean:"OR"}),this}withCTE(e,t,s=!1){let r=new o("__placeholder__",void 0,this.connectionName);t(r);let{sql:i,bindings:a}=r.toSQL();return this.cteClauses.push({name:e,sql:i,bindings:a,recursive:s}),this}withRecursiveCTE(e,t){return this.withCTE(e,t,!0)}withRawCTE(e,t,s=[],r=!1){return this.cteClauses.push({name:e,sql:t,bindings:s,recursive:r}),this}union(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.unionClauses.push({sql:s,bindings:r,all:!1}),this}unionAll(e){let t=new o("__placeholder__",void 0,this.connectionName);e(t);let{sql:s,bindings:r}=t.toSQL();return this.unionClauses.push({sql:s,bindings:r,all:!0}),this}join(e,t,s,r){return this.joinClauses.push({type:"INNER",table:e,first:t,operator:s,second:r}),this}leftJoin(e,t,s,r){return this.joinClauses.push({type:"LEFT",table:e,first:t,operator:s,second:r}),this}rightJoin(e,t,s,r){return this.joinClauses.push({type:"RIGHT",table:e,first:t,operator:s,second:r}),this}crossJoin(e){return this.joinClauses.push({type:"CROSS",table:e,first:"",operator:"",second:""}),this}orderBy(e,t="asc"){return this.orderClauses.push({column:e,direction:t}),this}latest(e="created_at"){return this.orderBy(e,"desc")}oldest(e="created_at"){return this.orderBy(e,"asc")}groupBy(...e){return this.groupByColumns.push(...e),this}having(e,t,s){return this.havingClauses.push({type:"basic",column:e,operator:t,value:s,boolean:"AND"}),this}limit(e){return this.limitValue=e,this}offset(e){return this.offsetValue=e,this}take(e){return this.limit(e)}skip(e){return this.offset(e)}with(...e){return this.eagerLoads.push(...e),this}async get(){let{sql:e,bindings:t}=this.toSQL(),s=await f.raw(e,t,this.connectionName),r=this.hydrateMany(s);return this.eagerLoads.length>0&&this.modelClass&&await this.loadRelations(r),r}async first(){return this.limitValue=1,(await this.get())[0]??null}async firstOrFail(){let e=await this.first();if(!e)throw new Error(`No results found for query on "${this.tableName}".`);return e}async find(e,t="id"){return this.where(t,e).first()}async findOrFail(e,t="id"){return this.where(t,e).firstOrFail()}async count(e="*"){let{sql:t,bindings:s}=this.buildAggregate(`COUNT(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async sum(e){let{sql:t,bindings:s}=this.buildAggregate(`SUM(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async avg(e){let{sql:t,bindings:s}=this.buildAggregate(`AVG(${e})`),r=await f.raw(t,s,this.connectionName);return Number(r[0]?.aggregate??0)}async max(e){let{sql:t,bindings:s}=this.buildAggregate(`MAX(${e})`);return(await f.raw(t,s,this.connectionName))[0]?.aggregate??null}async min(e){let{sql:t,bindings:s}=this.buildAggregate(`MIN(${e})`);return(await f.raw(t,s,this.connectionName))[0]?.aggregate??null}async exists(){return await this.count()>0}async doesntExist(){return!await this.exists()}async pluck(e){return this.selectColumns=[e],(await f.raw(this.toSQL().sql,this.toSQL().bindings,this.connectionName)).map(s=>s[e])}async value(e){return this.selectColumns=[e],this.limitValue=1,(await f.raw(this.toSQL().sql,this.toSQL().bindings,this.connectionName))[0]?.[e]??null}async chunk(e,t){let s=1,r=!0;for(;r;){let i=this.clone();i.limitValue=e,i.offsetValue=(s-1)*e;let a=await i.get();if(a.length===0||await t(a,s)===!1||a.length<e)break;s++}}when(e,t){return e&&t(this),this}selectRaw(e){return this.selectColumns[0]==="*"?this.selectColumns=[e]:this.selectColumns.push(e),this}async upsert(e,t,s){let r=f.getDriver(this.connectionName),i=Object.keys(e),a=Object.values(e),n=a.map(()=>"?").join(", "),l=s??i.filter(m=>!t.includes(m)),c;if(r==="postgres"){let m=l.map(p=>`${p} = EXCLUDED.${p}`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON CONFLICT (${t.join(", ")}) DO UPDATE SET ${m}`}else if(r==="mysql"){let m=l.map(p=>`${p} = VALUES(${p})`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON DUPLICATE KEY UPDATE ${m}`}else{let m=l.map(p=>`${p} = excluded.${p}`).join(", ");c=`INSERT INTO ${this.tableName} (${i.join(", ")}) VALUES (${n}) ON CONFLICT (${t.join(", ")}) DO UPDATE SET ${m}`}return f.raw(c,a,this.connectionName)}async insertMany(e){if(e.length===0)return;let t=Object.keys(e[0]),s=[],r=[];for(let a of e){let n=t.map(l=>a[l]);s.push(...n),r.push(`(${n.map(()=>"?").join(", ")})`)}let i=`INSERT INTO ${this.tableName} (${t.join(", ")}) VALUES ${r.join(", ")}`;return f.raw(i,s,this.connectionName)}async firstOrCreate(e,t={}){for(let[a,n]of Object.entries(e))this.where(a,n);let s=await this.first();if(s)return s;let r={...e,...t},i=await new o(this.tableName,this.modelClass,this.connectionName).insertGetId(r);return new o(this.tableName,this.modelClass,this.connectionName).findOrFail(i)}async updateOrCreate(e,t){let s=new o(this.tableName,this.modelClass,this.connectionName);for(let[n,l]of Object.entries(e))s.where(n,l);let r=await s.first();if(r)return await new o(this.tableName,this.modelClass,this.connectionName).where(this.modelClass?.primaryKey??"id",r[this.modelClass?.primaryKey??"id"]).update(t),new o(this.tableName,this.modelClass,this.connectionName).findOrFail(r[this.modelClass?.primaryKey??"id"]);let i={...e,...t},a=await new o(this.tableName,this.modelClass,this.connectionName).insertGetId(i);return new o(this.tableName,this.modelClass,this.connectionName).findOrFail(a)}whereColumn(e,t,s){return s===void 0?this.whereClauses.push({type:"raw",raw:`${e} = ${t}`,values:[],boolean:"AND"}):this.whereClauses.push({type:"raw",raw:`${e} ${t} ${s}`,values:[],boolean:"AND"}),this}havingRaw(e,t=[]){return this.havingClauses.push({type:"raw",raw:e,values:t,boolean:"AND"}),this}orderByRaw(e){return this.orderClauses.push({column:e,direction:"asc"}),this.orderClauses[this.orderClauses.length-1].__raw=!0,this}selectSub(e,t){let s=new o("__placeholder__",void 0,this.connectionName);e(s);let{sql:r,bindings:i}=s.toSQL(),a=`(${r}) as ${t}`;return this.selectColumns[0]==="*"?this.selectColumns=[a]:this.selectColumns.push(a),this._selectBindings||(this._selectBindings=[]),this._selectBindings.push(...i),this}_selectBindings;async truncate(){f.getDriver(this.connectionName)==="sqlite"?(await f.raw(`DELETE FROM ${this.tableName}`,[],this.connectionName),await f.raw("DELETE FROM sqlite_sequence WHERE name = ?",[this.tableName],this.connectionName)):await f.raw(`TRUNCATE TABLE ${this.tableName}`,[],this.connectionName)}async paginate(e=1,t=15){let s=await this.clone().count(),r=Math.ceil(s/t);return this.limitValue=t,this.offsetValue=(e-1)*t,{data:await this.get(),total:s,page:e,perPage:t,lastPage:r,hasMore:e<r}}async insert(e){let t=Object.keys(e),s=Object.values(e),r=s.map(()=>"?").join(", "),i=`INSERT INTO ${this.tableName} (${t.join(", ")}) VALUES (${r})`;return f.raw(i,s,this.connectionName)}async insertGetId(e,t="id"){let s=f.getDriver(this.connectionName),r=Object.keys(e),i=Object.values(e),a=i.map(()=>"?").join(", "),n=`INSERT INTO ${this.tableName} (${r.join(", ")}) VALUES (${a})`;return s==="postgres"?(n+=` RETURNING ${t}`,(await f.raw(n,i,this.connectionName))[0]?.[t]):(await f.raw(n,i,this.connectionName),s==="sqlite"?(await f.raw("SELECT last_insert_rowid() as id",[],this.connectionName))[0]?.id:s==="mysql"?(await f.raw("SELECT LAST_INSERT_ID() as id",[],this.connectionName))[0]?.id:0)}async update(e){let t=Object.keys(e),s=Object.values(e),r=t.map(l=>`${l} = ?`).join(", "),{whereSQL:i,whereBindings:a}=this.buildWhere(),n=`UPDATE ${this.tableName} SET ${r}${i}`;return await f.raw(n,[...s,...a],this.connectionName),1}async delete(){let{whereSQL:e,whereBindings:t}=this.buildWhere(),s=`DELETE FROM ${this.tableName}${e}`;return await f.raw(s,t,this.connectionName),1}async increment(e,t=1){let{whereSQL:s,whereBindings:r}=this.buildWhere(),i=`UPDATE ${this.tableName} SET ${e} = ${e} + ?${s}`;await f.raw(i,[t,...r],this.connectionName)}async decrement(e,t=1){return this.increment(e,-t)}toSQL(){let e=[],t=[];if(this.cteClauses.length>0){let n=this.cteClauses.some(c=>c.recursive)?"WITH RECURSIVE":"WITH",l=this.cteClauses.map(c=>(t.push(...c.bindings),`${c.name} AS (${c.sql})`));e.push(`${n} ${l.join(", ")}`)}this._selectBindings?.length&&t.push(...this._selectBindings);let s=this.isDistinct?"DISTINCT ":"";e.push(`SELECT ${s}${this.selectColumns.join(", ")}`),e.push(`FROM ${this.tableName}`);for(let a of this.joinClauses)a.type==="CROSS"?e.push(`CROSS JOIN ${a.table}`):e.push(`${a.type} JOIN ${a.table} ON ${a.first} ${a.operator} ${a.second}`);let{whereSQL:r,whereBindings:i}=this.buildWhere();if(r&&(e.push(r.trim()),t.push(...i)),this.groupByColumns.length>0&&e.push(`GROUP BY ${this.groupByColumns.join(", ")}`),this.havingClauses.length>0){let a=[];for(let n of this.havingClauses)n.type==="raw"?(a.push(n.raw),n.values&&t.push(...n.values)):(a.push(`${n.column} ${n.operator} ?`),t.push(n.value));e.push(`HAVING ${a.join(" AND ")}`)}if(this.orderClauses.length>0){let a=this.orderClauses.map(n=>n.__raw?n.column:`${n.column} ${n.direction.toUpperCase()}`);e.push(`ORDER BY ${a.join(", ")}`)}if(this.limitValue!==null&&e.push(`LIMIT ${this.limitValue}`),this.offsetValue!==null&&e.push(`OFFSET ${this.offsetValue}`),this.unionClauses.length>0)for(let a of this.unionClauses)e.push(a.all?"UNION ALL":"UNION"),e.push(a.sql),t.push(...a.bindings);return{sql:e.join(" "),bindings:t}}clone(){let e=new o(this.tableName,this.modelClass,this.connectionName);return e.selectColumns=[...this.selectColumns],e.whereClauses=[...this.whereClauses],e.joinClauses=[...this.joinClauses],e.orderClauses=[...this.orderClauses],e.groupByColumns=[...this.groupByColumns],e.havingClauses=[...this.havingClauses],e.limitValue=this.limitValue,e.offsetValue=this.offsetValue,e.eagerLoads=[...this.eagerLoads],e.isDistinct=this.isDistinct,e.cteClauses=[...this.cteClauses],e.unionClauses=[...this.unionClauses],e}buildWhere(){if(this.whereClauses.length===0)return{whereSQL:"",whereBindings:[]};let e=[],t=[];for(let s=0;s<this.whereClauses.length;s++){let r=this.whereClauses[s],i=s===0?"WHERE":r.boolean;switch(r.type){case"basic":if((r.operator==="IS"||r.operator==="IS NOT")&&r.value===null){let l=(r.operator==="IS","null");e.push(`${i} ${r.column} ${r.operator} ${l}`)}else e.push(`${i} ${r.column} ${r.operator} ?`),t.push(r.value);break;case"in":let a=r.values.map(()=>"?").join(", ");e.push(`${i} ${r.column} IN (${a})`),t.push(...r.values);break;case"notIn":let n=r.values.map(()=>"?").join(", ");e.push(`${i} ${r.column} NOT IN (${n})`),t.push(...r.values);break;case"null":e.push(`${i} ${r.column} IS NULL`);break;case"notNull":e.push(`${i} ${r.column} IS NOT NULL`);break;case"between":e.push(`${i} ${r.column} BETWEEN ? AND ?`),t.push(r.values[0],r.values[1]);break;case"raw":e.push(`${i} ${r.raw}`),r.values&&t.push(...r.values);break;case"exists":e.push(`${i} EXISTS (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break;case"notExists":e.push(`${i} NOT EXISTS (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break;case"sub":e.push(`${i} ${r.column} ${r.operator} (${r.subSQL})`),r.subBindings&&t.push(...r.subBindings);break}}return{whereSQL:e.join(" "),whereBindings:t}}buildAggregate(e){let t=this.selectColumns;this.selectColumns=[`${e} as aggregate`];let s=this.toSQL();return this.selectColumns=t,s}hydrateMany(e){return this.modelClass?e.map(t=>this.modelClass.hydrate(t)):e}async loadRelations(e){if(!(!this.modelClass||e.length===0))for(let t of this.eagerLoads){let r=new this.modelClass()[t]?.();r&&typeof r.eagerLoad=="function"&&await r.eagerLoad(e,t)}}}});var te,se,re,ie,ae,js=w(()=>{"use strict";S();te=class{parentModel;relatedModel;constructor(e,t){this.parentModel=e,this.relatedModel=t}query(){return this.relatedModel.query()}},se=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.localKey=i}async load(t){let s=t.getAttribute(this.localKey);return this.relatedModel.query().where(this.foreignKey,s).first()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.localKey)),i=await this.relatedModel.query().whereIn(this.foreignKey,r).get(),a=new Map;for(let n of i)a.set(n.getAttribute(this.foreignKey),n);for(let n of t){let l=n.getAttribute(this.localKey);n.setRelation(s,a.get(l)??null)}}async create(t){let s=this.parentModel.getAttribute(this.localKey);return this.relatedModel.create({...t,[this.foreignKey]:s})}},re=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.localKey=i}async load(t){let s=t.getAttribute(this.localKey);return this.relatedModel.query().where(this.foreignKey,s).get()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.localKey)),i=await this.relatedModel.query().whereIn(this.foreignKey,r).get(),a=new Map;for(let n of i){let l=n.getAttribute(this.foreignKey);a.has(l)||a.set(l,[]),a.get(l).push(n)}for(let n of t){let l=n.getAttribute(this.localKey);n.setRelation(s,a.get(l)??[])}}async create(t){let s=this.parentModel.getAttribute(this.localKey);return this.relatedModel.create({...t,[this.foreignKey]:s})}async createMany(t){let s=[];for(let r of t)s.push(await this.create(r));return s}},ie=class extends te{constructor(t,s,r,i="id"){super(t,s);this.foreignKey=r;this.ownerKey=i}async load(t){let s=t.getAttribute(this.foreignKey);return s==null?null:this.relatedModel.query().where(this.ownerKey,s).first()}async eagerLoad(t,s){let r=t.map(n=>n.getAttribute(this.foreignKey)).filter(n=>n!=null);if(r.length===0){for(let n of t)n.setRelation(s,null);return}let i=await this.relatedModel.query().whereIn(this.ownerKey,r).get(),a=new Map;for(let n of i)a.set(n.getAttribute(this.ownerKey),n);for(let n of t){let l=n.getAttribute(this.foreignKey);n.setRelation(s,a.get(l)??null)}}associate(t){return this.parentModel.setAttribute(this.foreignKey,t.getAttribute(this.ownerKey)),this.parentModel}dissociate(){return this.parentModel.setAttribute(this.foreignKey,null),this.parentModel}},ae=class extends te{constructor(t,s,r,i,a,n="id",l="id"){super(t,s);this.pivotTable=r;this.foreignPivotKey=i;this.relatedPivotKey=a;this.parentKey=n;this.relatedKey=l}async load(t){let s=t.getAttribute(this.parentKey),r=this.relatedModel.tableName,a=(await f.raw(`SELECT ${this.relatedPivotKey} FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ?`,[s])).map(n=>n[this.relatedPivotKey]);return a.length===0?[]:this.relatedModel.query().whereIn(this.relatedKey,a).get()}async eagerLoad(t,s){let r=t.map(p=>p.getAttribute(this.parentKey));if(r.length===0){for(let p of t)p.setRelation(s,[]);return}let i=r.map(()=>"?").join(", "),a=await f.raw(`SELECT * FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} IN (${i})`,r),n=[...new Set(a.map(p=>p[this.relatedPivotKey]))],l=n.length>0?await this.relatedModel.query().whereIn(this.relatedKey,n).get():[],c=new Map;for(let p of l)c.set(p.getAttribute(this.relatedKey),p);let m=new Map;for(let p of a){let h=p[this.foreignPivotKey],u=p[this.relatedPivotKey],b=c.get(u);b&&(m.has(h)||m.set(h,[]),m.get(h).push(b))}for(let p of t){let h=p.getAttribute(this.parentKey);p.setRelation(s,m.get(h)??[])}}async attach(t,s){let r=this.parentModel.getAttribute(this.parentKey),i={[this.foreignPivotKey]:r,[this.relatedPivotKey]:t,...s},a=Object.keys(i),n=Object.values(i),l=n.map(()=>"?").join(", ");await f.raw(`INSERT INTO ${this.pivotTable} (${a.join(", ")}) VALUES (${l})`,n)}async detach(t){let s=this.parentModel.getAttribute(this.parentKey);t?await f.raw(`DELETE FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ? AND ${this.relatedPivotKey} = ?`,[s,t]):await f.raw(`DELETE FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ?`,[s])}async sync(t){await this.detach();for(let s of t)await this.attach(s)}async toggle(t){let s=this.parentModel.getAttribute(this.parentKey);for(let r of t)(await f.raw(`SELECT 1 FROM ${this.pivotTable} WHERE ${this.foreignPivotKey} = ? AND ${this.relatedPivotKey} = ? LIMIT 1`,[s,r])).length>0?await this.detach(r):await this.attach(r)}}});var ii=w(()=>{"use strict"});var _e,Os=w(()=>{"use strict";_e=class{app;constructor(e){this.app=e}boot(){}}});var ai=w(()=>{"use strict";Os();Mt()});var Me,ne,Mt=w(()=>{"use strict";k();ii();ai();Me=class{listeners=new Map;wildcardListeners=[];onceListeners=new Map;listen(e,t){let s=typeof e=="string"?e:e.name;return this.listeners.has(s)||this.listeners.set(s,[]),this.listeners.get(s).push(t),()=>{let r=this.listeners.get(s);if(r){let i=r.indexOf(t);i>=0&&r.splice(i,1)}}}once(e,t){let s=typeof e=="string"?e:e.name;return this.onceListeners.has(s)||this.onceListeners.set(s,[]),this.onceListeners.get(s).push(t),()=>{let r=this.onceListeners.get(s);if(r){let i=r.indexOf(t);i>=0&&r.splice(i,1)}}}onAny(e){return this.wildcardListeners.push(e),()=>{let t=this.wildcardListeners.indexOf(e);t>=0&&this.wildcardListeners.splice(t,1)}}async dispatch(e){let t=e.constructor.name,s=this.listeners.get(t)??[];for(let i of s)await i(e);let r=this.onceListeners.get(t)??[];for(let i of r)await i(e);this.onceListeners.delete(t);for(let i of this.wildcardListeners)await i(t,e)}async emit(e,t){let s=this.listeners.get(e)??[];for(let i of s)await i(t);let r=this.onceListeners.get(e)??[];for(let i of r)await i(t);this.onceListeners.delete(e);for(let i of this.wildcardListeners)await i(e,t)}subscribe(e){e.subscribe(this)}forget(e){let t=typeof e=="string"?e:e.name;this.listeners.delete(t),this.onceListeners.delete(t)}flush(){this.listeners.clear(),this.onceListeners.clear(),this.wildcardListeners=[]}hasListeners(e){let t=typeof e=="string"?e:e.name;return(this.listeners.get(t)?.length??0)>0||(this.onceListeners.get(t)?.length??0)>0||this.wildcardListeners.length>0}listenerCount(e){let t=typeof e=="string"?e:e.name;return(this.listeners.get(t)?.length??0)+(this.onceListeners.get(t)?.length??0)}},ne=P("svelar.event",()=>new Me)});var Nt,ni=w(()=>{"use strict";Is();js();Mt();Nt=class o{static table;static primaryKey="id";static incrementing=!0;static timestamps=!0;static createdAt="created_at";static updatedAt="updated_at";static casts={};static fillable=[];static hidden=[];static connection=void 0;static hooks=new Map;static observers=new Map;static events=[];attributes={};originalAttributes={};relations={};exists=!1;constructor(e){return e&&this.fill(e),new Proxy(this,{get(t,s,r){return typeof s=="symbol"||s in t||typeof s!="string"||["table","primaryKey","incrementing","timestamps","casts","fillable","hidden","connection"].includes(s)?Reflect.get(t,s,r):typeof t[s]=="function"?t[s].bind(t):t.getAttribute(s)},set(t,s,r){return typeof s=="symbol"||s in t?Reflect.set(t,s,r):(t.setAttribute(s,r),!0)}})}static query(){let e=new this,t=this;return new j(t.table,this,t.connection)}static async find(e){let t=this;return this.query().find(e,t.primaryKey)}static async findOrFail(e){let t=this;return this.query().findOrFail(e,t.primaryKey)}static async all(){return this.query().get()}static async first(){return this.query().first()}static async firstOrFail(){return this.query().firstOrFail()}static where(e,t,s){return this.query().where(e,t,s)}static whereIn(e,t){return this.query().whereIn(e,t)}static whereNull(e){return this.query().whereNull(e)}static whereNotNull(e){return this.query().whereNotNull(e)}static orderBy(e,t){return this.query().orderBy(e,t)}static latest(e){return this.query().latest(e)}static oldest(e){return this.query().oldest(e)}static with(...e){return this.query().with(...e)}static async count(){return this.query().count()}static async create(e){let t=new this,s=this;if(t.fill(e),await t.fireHook("creating"),await t.fireHook("saving"),s.timestamps){let n=new Date().toISOString();t.setAttribute(s.createdAt,n),t.setAttribute(s.updatedAt,n)}let r=t.getInsertableAttributes(),a=await new j(s.table,this,s.connection).insertGetId(r,s.primaryKey);return s.incrementing&&a&&t.setAttribute(s.primaryKey,a),t.syncOriginal(),t.exists=!0,await t.fireHook("created"),await t.fireHook("saved"),t}async save(){let e=this.constructor;if(this.exists){await this.fireHook("updating"),await this.fireHook("saving"),e.timestamps&&this.setAttribute(e.updatedAt,new Date().toISOString());let t=this.getDirty();if(Object.keys(t).length>0){let s=this.getAttribute(e.primaryKey);await new j(e.table,this.constructor,e.connection).where(e.primaryKey,s).update(t)}this.syncOriginal(),await this.fireHook("updated"),await this.fireHook("saved")}else{if(await this.fireHook("creating"),await this.fireHook("saving"),e.timestamps){let i=new Date().toISOString();this.getAttribute(e.createdAt)||this.setAttribute(e.createdAt,i),this.setAttribute(e.updatedAt,i)}let t=this.getInsertableAttributes(),r=await new j(e.table,this.constructor,e.connection).insertGetId(t,e.primaryKey);e.incrementing&&r&&this.setAttribute(e.primaryKey,r),this.syncOriginal(),this.exists=!0,await this.fireHook("created"),await this.fireHook("saved")}}async update(e){this.fill(e),await this.save()}async delete(){let e=this.constructor;await this.fireHook("deleting");let t=this.getAttribute(e.primaryKey);await new j(e.table,this.constructor,e.connection).where(e.primaryKey,t).delete(),this.exists=!1,await this.fireHook("deleted")}async refresh(){let e=this.constructor,t=this.getAttribute(e.primaryKey),s=await this.constructor.find(t);s&&(this.attributes={...s.attributes},this.syncOriginal())}getAttribute(e){let t=this.constructor,s=this.attributes[e],r=t.casts[e];if(r&&s!==void 0&&s!==null)switch(r){case"number":return Number(s);case"boolean":return!!s;case"string":return String(s);case"date":return new Date(s);case"json":return typeof s=="string"?JSON.parse(s):s}return s}setAttribute(e,t){this.constructor.casts[e]==="json"&&typeof t!="string"?this.attributes[e]=JSON.stringify(t):this.attributes[e]=t}fill(e){let t=this.constructor;for(let[s,r]of Object.entries(e))t.fillable.length>0&&!t.fillable.includes(s)||this.setAttribute(s,r)}getAttributes(){return{...this.attributes}}getOriginal(e){return e?this.originalAttributes[e]:{...this.originalAttributes}}getDirty(){let e={};for(let[t,s]of Object.entries(this.attributes))s!==this.originalAttributes[t]&&(e[t]=s);return e}isDirty(...e){let t=this.getDirty();return e.length===0?Object.keys(t).length>0:e.some(s=>s in t)}isClean(...e){return!this.isDirty(...e)}wasChanged(...e){return this.isDirty(...e)}hasOne(e,t,s){return new se(this,e,t,s??this.constructor.primaryKey)}hasMany(e,t,s){return new re(this,e,t,s??this.constructor.primaryKey)}belongsTo(e,t,s){return new ie(this,e,t,s??e.primaryKey)}belongsToMany(e,t,s,r,i,a){return new ae(this,e,t,s,r,i??this.constructor.primaryKey,a??e.primaryKey)}setRelation(e,t){this.relations[e]=t}getRelation(e){return this.relations[e]}relationLoaded(e){return e in this.relations}toJSON(){let e=this.constructor,t={};for(let[s,r]of Object.entries(this.attributes))e.hidden.includes(s)||(t[s]=this.getAttribute(s));for(let[s,r]of Object.entries(this.relations))Array.isArray(r)?t[s]=r.map(i=>i instanceof o?i.toJSON():i):r instanceof o?t[s]=r.toJSON():t[s]=r;return t}toObject(){return this.toJSON()}static hydrate(e){let t=new this;return t.attributes={...e},t.syncOriginal(),t.exists=!0,t}static boot(e){this.hooks.set(this.name,e)}static observe(e){let t=this.observers.get(this.name)??[];t.push(e),this.observers.set(this.name,t)}static removeObservers(){this.observers.delete(this.name)}async fireHook(e){let t=this.constructor,s=o.hooks.get(t.name);s?.[e]&&await s[e](this),typeof this[e]=="function"&&await this[e]();let r=o.observers.get(t.name)??[];for(let a of r){let n=a[e];typeof n=="function"&&await n.call(a,this)}let i=t.name.toLowerCase();await ne.emit(`${i}.${e}`,this)}async fireEvent(e){let t=this.constructor;if(!t.events.includes(e))throw new Error(`Event "${e}" is not declared in ${t.name}.events. Add it to: static events = ['${e}', ...];`);let s=o.observers.get(t.name)??[];for(let i of s){let a=i[e];typeof a=="function"&&await a.call(i,this)}let r=t.name.toLowerCase();await ne.emit(`${r}.${e}`,this)}syncOriginal(){this.originalAttributes={...this.attributes}}getInsertableAttributes(){let e=this.constructor,t={...this.attributes};return e.incrementing&&t[e.primaryKey]===void 0&&delete t[e.primaryKey],t}static get tableName(){return this.table}}});var It,oi=w(()=>{"use strict";It=class{async call(e){await new e().run()}}});var J,li,qs=w(()=>{"use strict";k();J=class{bindings=new Map;aliases=new Map;resolved=new Set;bind(e,t){this.bindings.set(e,{factory:t,singleton:!1,tags:[]})}singleton(e,t){this.bindings.set(e,{factory:t,singleton:!0,tags:[]})}instance(e,t){this.bindings.set(e,{factory:()=>t,singleton:!0,instance:t,tags:[]})}alias(e,t){this.aliases.set(e,t)}async make(e){let t=this.resolveAlias(e),s=this.bindings.get(t);if(!s)throw new Error(`No binding found for "${e}" in the container.`);if(s.singleton&&s.instance!==void 0)return s.instance;let r=await s.factory(this);return s.singleton&&(s.instance=r),this.resolved.add(t),r}makeSync(e){let t=this.resolveAlias(e),s=this.bindings.get(t);if(!s)throw new Error(`No binding found for "${e}" in the container.`);if(s.singleton&&s.instance!==void 0)return s.instance;let r=s.factory(this);if(r instanceof Promise)throw new Error(`Binding "${e}" has an async factory. Use container.make() instead of container.makeSync().`);return s.singleton&&(s.instance=r),this.resolved.add(t),r}has(e){let t=this.resolveAlias(e);return this.bindings.has(t)}isResolved(e){return this.resolved.has(this.resolveAlias(e))}tag(e,t){for(let s of e){let r=this.bindings.get(s);r&&r.tags.push(t)}}async tagged(e){let t=[];for(let[s,r]of this.bindings)r.tags.includes(e)&&t.push(await this.make(s));return t}flush(){for(let e of this.bindings.values())e.singleton&&(e.instance=void 0);this.resolved.clear()}forget(e){this.bindings.delete(e),this.resolved.delete(e)}getBindings(){return[...this.bindings.keys()]}resolveAlias(e){return this.aliases.get(e)??e}},li=P("svelar.container",()=>new J)});var jt,ci=w(()=>{"use strict";qs();jt=class{container;providers=[];booted=!1;constructor(e){this.container=e??new J,this.container.instance("app",this),this.container.instance("container",this.container)}register(e){let t=new e(this.container);return this.providers.push(t),this}async bootstrap(){if(this.booted)return this;for(let e of this.providers)await e.register();for(let e of this.providers)await e.boot();return this.booted=!0,this}isBooted(){return this.booted}async make(e){return this.container.make(e)}getProviders(){return[...this.providers]}}});var $,H,Ot,oe,qt,le,ce,Ut,de,ue=w(()=>{"use strict";$=class{},H=class{middleware=[];namedMiddleware=new Map;use(e){return typeof e=="function"&&"prototype"in e&&typeof e.prototype?.handle=="function"?this.middleware.push(new e):this.middleware.push(e),this}register(e,t){return typeof t=="function"&&"prototype"in t&&typeof t.prototype?.handle=="function"?this.namedMiddleware.set(e,new t):this.namedMiddleware.set(e,t),this}get(e){return this.namedMiddleware.get(e)}async execute(e,t,s){let r=[...this.middleware];if(s)for(let a of s){let n=this.namedMiddleware.get(a);n&&r.push(n)}let i=t;for(let a=r.length-1;a>=0;a--){let n=r[a],l=i;typeof n.handle=="function"?i=()=>n.handle(e,l):i=()=>n(e,l)}return i()}count(){return this.middleware.length}},Ot=class extends ${constructor(t={}){super();this.options=t}async handle(t,s){let r=await s();if(!r)return;let i=Array.isArray(this.options.origin)?this.options.origin.join(", "):this.options.origin??"*";return r.headers.set("Access-Control-Allow-Origin",i),r.headers.set("Access-Control-Allow-Methods",(this.options.methods??["GET","POST","PUT","DELETE","PATCH","OPTIONS"]).join(", ")),r.headers.set("Access-Control-Allow-Headers",(this.options.headers??["Content-Type","Authorization"]).join(", ")),this.options.credentials&&r.headers.set("Access-Control-Allow-Credentials","true"),this.options.maxAge&&r.headers.set("Access-Control-Max-Age",String(this.options.maxAge)),t.event.request.method==="OPTIONS"?new Response(null,{status:204,headers:r.headers}):r}},oe=class extends ${requests=new Map;maxRequests;windowMs;constructor(e={}){super(),this.maxRequests=e.maxRequests??60,this.windowMs=e.windowMs??6e4}async handle(e,t){let s=e.event.request.headers.get("x-forwarded-for")??e.event.getClientAddress?.()??"unknown",r=Date.now(),i=this.requests.get(s);if(i&&r<i.resetAt){if(i.count>=this.maxRequests)return new Response(JSON.stringify({error:"Too many requests"}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(Math.ceil((i.resetAt-r)/1e3))}});i.count++}else this.requests.set(s,{count:1,resetAt:r+this.windowMs});return t()}},qt=class extends ${async handle(e,t){let s=Date.now(),r=e.event.request.method,i=e.event.url.pathname,a=await t(),n=Date.now()-s,l=a instanceof Response?a.status:200;return console.log(`[${new Date().toISOString()}] ${r} ${i} \u2192 ${l} (${n}ms)`),a}},le=class extends ${cookieName;headerName;fieldName;excludePaths;onlyPaths;constructor(e={}){super(),this.cookieName=e.cookieName??"XSRF-TOKEN",this.headerName=e.headerName??"X-CSRF-Token",this.fieldName=e.fieldName??"_csrf",this.excludePaths=e.excludePaths??[],this.onlyPaths=e.onlyPaths??null}async handle(e,t){let{event:s}=e,r=s.request.method.toUpperCase();if(["GET","HEAD","OPTIONS"].includes(r))return this.setTokenAndContinue(e,t);if((s.request.headers.get("authorization")??"").startsWith("Bearer "))return t();let a=s.url.pathname;if(this.onlyPaths&&!this.onlyPaths.some(c=>a.startsWith(c)))return this.setTokenAndContinue(e,t);if(this.excludePaths.some(c=>a.startsWith(c)))return t();let n=this.getCookieToken(s),l=s.request.headers.get(this.headerName)??await this.getBodyToken(s);return!n||!l||!this.timingSafeEqual(n,l)?new Response(JSON.stringify({message:"CSRF token mismatch"}),{status:419,headers:{"Content-Type":"application/json"}}):t()}async setTokenAndContinue(e,t){let s=await t();if(!(s instanceof Response))return s;let i=this.getCookieToken(e.event)||this.generateToken();return s.headers.append("Set-Cookie",`${this.cookieName}=${i}; Path=/; SameSite=Lax`),s}getCookieToken(e){let s=(e.request.headers.get("cookie")??"").match(new RegExp(`${this.cookieName}=([^;]+)`));return s?s[1]:null}async getBodyToken(e){try{let t=e.request.headers.get("content-type")??"";if(t.includes("application/x-www-form-urlencoded")||t.includes("multipart/form-data"))return(await e.request.clone().formData()).get(this.fieldName);if(t.includes("application/json"))return(await e.request.clone().json())[this.fieldName]??null}catch{}return null}generateToken(){let e=new Uint8Array(32);return crypto.getRandomValues(e),Array.from(e,t=>t.toString(16).padStart(2,"0")).join("")}timingSafeEqual(e,t){if(e.length!==t.length)return!1;let s=new TextEncoder,r=s.encode(e),i=s.encode(t),a=0;for(let n=0;n<r.length;n++)a|=r[n]^i[n];return a===0}},ce=class extends ${allowedOrigins;constructor(e={}){super(),this.allowedOrigins=new Set(e.allowedOrigins??[])}async handle(e,t){let{event:s}=e,r=s.request.method.toUpperCase();if(["GET","HEAD","OPTIONS"].includes(r)||(s.request.headers.get("authorization")??"").startsWith("Bearer "))return t();let a=s.request.headers.get("origin");if(!a)return t();let n=s.url.origin;return a===n||this.allowedOrigins.has(a)?t():new Response(JSON.stringify({message:"Cross-origin request blocked"}),{status:403,headers:{"Content-Type":"application/json"}})}},Ut=class extends ${secret;tolerance;signatureHeader;timestampHeader;onlyPaths;constructor(e){super(),this.secret=e.secret,this.tolerance=e.tolerance??300,this.signatureHeader=e.signatureHeader??"X-Signature",this.timestampHeader=e.timestampHeader??"X-Timestamp",this.onlyPaths=e.onlyPaths??null}async handle(e,t){let{event:s}=e;if(this.onlyPaths){let y=s.url.pathname;if(!this.onlyPaths.some(v=>y.startsWith(v)))return t()}let r=s.request.headers.get(this.signatureHeader),i=s.request.headers.get(this.timestampHeader);if(!r||!i)return new Response(JSON.stringify({message:"Missing request signature"}),{status:401,headers:{"Content-Type":"application/json"}});let a=parseInt(i,10),n=Math.floor(Date.now()/1e3);if(isNaN(a)||Math.abs(n-a)>this.tolerance)return new Response(JSON.stringify({message:"Request signature expired"}),{status:401,headers:{"Content-Type":"application/json"}});let c=await s.request.clone().text(),{createHmac:m}=await import("crypto"),p=s.request.method.toUpperCase(),h=s.url.pathname+s.url.search,u=`${i}.${p}.${h}.${c}`,b=m("sha256",this.secret).update(u).digest("hex");return r.length!==b.length||!this.timingSafeCompare(r,b)?new Response(JSON.stringify({message:"Invalid request signature"}),{status:401,headers:{"Content-Type":"application/json"}}):t()}timingSafeCompare(e,t){if(e.length!==t.length)return!1;let s=new TextEncoder,r=s.encode(e),i=s.encode(t),a=0;for(let n=0;n<r.length;n++)a|=r[n]^i[n];return a===0}static sign(e,t,s,r,i){let{createHmac:a}=Qe("crypto"),n=i??Math.floor(Date.now()/1e3),l=`${n}.${t.toUpperCase()}.${s}.${r}`;return{signature:a("sha256",e).update(l).digest("hex"),timestamp:n}}},de=class extends ${attempts=new Map;maxAttempts;decayMinutes;constructor(e={}){super(),this.maxAttempts=e.maxAttempts??5,this.decayMinutes=e.decayMinutes??1}async handle(e,t){let r=`${e.event.request.headers.get("x-forwarded-for")??e.event.getClientAddress?.()??"unknown"}:${e.event.url.pathname}`,i=Date.now(),a=this.attempts.get(r);if(a){if(i<a.blockedUntil){let l=Math.ceil((a.blockedUntil-i)/1e3);return new Response(JSON.stringify({message:"Too many attempts. Please try again later.",retry_after:l}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(l)}})}if(a.count>=this.maxAttempts){a.blockedUntil=i+this.decayMinutes*6e4,a.count=0;let l=this.decayMinutes*60;return new Response(JSON.stringify({message:"Too many attempts. Please try again later.",retry_after:l}),{status:429,headers:{"Content-Type":"application/json","Retry-After":String(l)}})}}let n=await t();if(n instanceof Response&&n.status>=400&&n.status<500){let l=this.attempts.get(r)??{count:0,blockedUntil:0};if(l.count++,this.attempts.set(r,l),this.attempts.size>1e4)for(let[c,m]of this.attempts)i>m.blockedUntil+this.decayMinutes*6e4*2&&this.attempts.delete(c)}return n}}});import{z as me}from"zod";function di(o,e=!1){let t=new o;return e?{GET:t.handle("show"),PUT:t.handle("update"),PATCH:t.handle("update"),DELETE:t.handle("destroy")}:{GET:t.handle("index"),POST:t.handle("store")}}var Bt,z,Ne,Ie,je,ui=w(()=>{"use strict";ue();Bt=class{controllerMiddleware=[];middleware(e,t){let s;typeof e=="function"&&e.prototype instanceof $?s=new e:s=e,this.controllerMiddleware.push({middleware:s,only:t?.only,except:t?.except})}handle(e){return async t=>{try{let s=this.controllerMiddleware.filter(r=>!(r.only&&!r.only.includes(e)||r.except&&r.except.includes(e)));if(s.length>0){let r=new H;for(let{middleware:n}of s)r.use(n);let i={event:t,params:t.params,locals:t.locals},a=await r.execute(i,async()=>this.callMethod(e,t));if(a instanceof Response)return a}return await this.callMethod(e,t)}catch(s){return this.handleError(s,t)}}}json(e,t=200,s={}){let r=JSON.stringify(e,null,2);return new Response(r,{status:t,headers:{"Content-Type":"application/json",...s}})}text(e,t=200){return new Response(e,{status:t,headers:{"Content-Type":"text/plain"}})}html(e,t=200){return new Response(e,{status:t,headers:{"Content-Type":"text/html"}})}redirect(e,t=302){return new Response(null,{status:t,headers:{Location:e}})}noContent(){return new Response(null,{status:204})}created(e){return e?this.json(e,201):new Response(null,{status:201})}async validate(e,t){let s=t instanceof me.ZodObject?t:me.object(t),r,i=e.request.headers.get("content-type")??"";if(i.includes("application/json"))r=await e.request.json();else if(i.includes("multipart/form-data")||i.includes("application/x-www-form-urlencoded")){let n=await e.request.formData();r=Object.fromEntries(n)}else r=Object.fromEntries(e.url.searchParams);let a=s.safeParse(r);if(!a.success)throw new z(a.error);return a.data}validateQuery(e,t){let s=t instanceof me.ZodObject?t:me.object(t),r=Object.fromEntries(e.url.searchParams),i=s.safeParse(r);if(!i.success)throw new z(i.error);return i.data}validateParams(e,t){let r=(t instanceof me.ZodObject?t:me.object(t)).safeParse(e.params);if(!r.success)throw new z(r.error);return r.data}handleError(e,t){return e instanceof z?this.json({message:"Validation failed",errors:e.errors},422):e instanceof Ne?this.json({message:e.message||"Not found"},404):e instanceof Ie?this.json({message:e.message||"Unauthorized"},401):e instanceof je?this.json({message:e.message||"Forbidden"},403):(console.error("[Svelar] Controller error:",e),this.json({message:process.env.NODE_ENV==="production"?"Internal server error":e.message},500))}async callMethod(e,t){let s=this[e];if(typeof s!="function")throw new Error(`Method "${e}" not found on controller "${this.constructor.name}".`);let r=await s.call(this,t);return r instanceof Response?r:this.json(r)}};z=class extends Error{errors;constructor(e){super("Validation failed"),this.name="ValidationError",this.errors={};for(let t of e.issues){let s=t.path.join(".");this.errors[s]||(this.errors[s]=[]),this.errors[s].push(t.message)}}},Ne=class extends Error{constructor(e="Not found"){super(e),this.name="NotFoundError"}},Ie=class extends Error{constructor(e="Unauthorized"){super(e),this.name="UnauthorizedError"}},je=class extends Error{constructor(e="Forbidden"){super(e),this.name="ForbiddenError"}}});import{randomBytes as Xn,createHmac as mi,timingSafeEqual as eo}from"crypto";import{promises as K}from"fs";import{join as Oe}from"path";var pe,qe,V,Ft,Ht,zt,he,Us=w(()=>{"use strict";ue();pe=class o{constructor(e,t){this.id=e;t&&(this.data={...t},this.data._flash&&(this.previousFlashData=this.data._flash,delete this.data._flash))}data={};dirty=!1;flashData={};previousFlashData={};get(e,t){return e in this.flashData?this.flashData[e]:e in this.previousFlashData?this.previousFlashData[e]:e in this.data?this.data[e]:t}set(e,t){this.data[e]=t,this.dirty=!0}has(e){return e in this.data||e in this.flashData||e in this.previousFlashData}forget(e){delete this.data[e],this.dirty=!0}flush(){this.data={},this.dirty=!0}flash(e,t){this.flashData[e]=t,this.dirty=!0}all(){return{...this.data,...this.previousFlashData,...this.flashData}}isDirty(){return this.dirty||Object.keys(this.flashData).length>0}toPersist(){let e={...this.data};return Object.keys(this.flashData).length>0&&(e._flash=this.flashData),e}regenerateId(){let e=this.id,t=o.generateId();this.id=t,this.dirty=!0;let s=qe.get(e);return s instanceof V&&s.markOldSessionId(e),qe.delete(e),t}static generateId(){return Xn(32).toString("hex")}},qe=new Map,V=class{sessions=new Map;oldSessionIds=new Set;async read(e){if(this.oldSessionIds.has(e))return null;let t=this.sessions.get(e);return t?Date.now()>t.expiresAt?(this.sessions.delete(e),null):t.data:null}async write(e,t,s){this.sessions.set(e,{data:t,expiresAt:Date.now()+s*1e3}),qe.set(e,this)}async destroy(e){this.sessions.delete(e),qe.delete(e)}async gc(e){let t=Date.now();for(let[s,r]of this.sessions)t>r.expiresAt&&(this.sessions.delete(s),qe.delete(s))}markOldSessionId(e){this.oldSessionIds.add(e),this.sessions.delete(e)}},Ft=class{constructor(e="sessions",t){this.tableName=e;this.connectionName=t}tableEnsured=!1;async ensureTable(){if(!this.tableEnsured)try{let{Connection:e}=await Promise.resolve().then(()=>(S(),R));switch(e.getDriver(this.connectionName)){case"sqlite":await e.raw(`CREATE TABLE IF NOT EXISTS ${this.tableName} (
|
|
43
43
|
id TEXT PRIMARY KEY,
|
|
44
44
|
payload TEXT NOT NULL,
|
|
45
45
|
expires_at TEXT NOT NULL
|
|
@@ -51,10 +51,10 @@ var da=Object.defineProperty;var Qe=(o=>typeof require<"u"?require:typeof Proxy<
|
|
|
51
51
|
id VARCHAR(255) PRIMARY KEY,
|
|
52
52
|
payload TEXT NOT NULL,
|
|
53
53
|
expires_at DATETIME NOT NULL
|
|
54
|
-
) ENGINE=InnoDB`,[],this.connectionName);break}this.tableEnsured=!0}catch{}}async read(e){await this.ensureTable();let{Connection:t}=await Promise.resolve().then(()=>(
|
|
54
|
+
) ENGINE=InnoDB`,[],this.connectionName);break}this.tableEnsured=!0}catch{}}async read(e){await this.ensureTable();let{Connection:t}=await Promise.resolve().then(()=>(S(),R)),s=await t.raw(`SELECT payload, expires_at FROM ${this.tableName} WHERE id = ?`,[e],this.connectionName);if(s.length===0)return null;let r=s[0];if(new Date(r.expires_at)<new Date)return await this.destroy(e),null;try{return JSON.parse(r.payload)}catch{return null}}async write(e,t,s){await this.ensureTable();let{Connection:r}=await Promise.resolve().then(()=>(S(),R)),i=JSON.stringify(t),a=new Date(Date.now()+s*1e3).toISOString(),n=r.getDriver(this.connectionName);n==="sqlite"?await r.raw(`INSERT INTO ${this.tableName} (id, payload, expires_at) VALUES (?, ?, ?)
|
|
55
55
|
ON CONFLICT(id) DO UPDATE SET payload = excluded.payload, expires_at = excluded.expires_at`,[e,i,a],this.connectionName):n==="postgres"?await r.raw(`INSERT INTO ${this.tableName} (id, payload, expires_at) VALUES ($1, $2, $3)
|
|
56
56
|
ON CONFLICT(id) DO UPDATE SET payload = $2, expires_at = $3`,[e,i,a],this.connectionName):await r.raw(`INSERT INTO ${this.tableName} (id, payload, expires_at) VALUES (?, ?, ?)
|
|
57
|
-
ON DUPLICATE KEY UPDATE payload = VALUES(payload), expires_at = VALUES(expires_at)`,[e,i,a],this.connectionName)}async destroy(e){let{Connection:t}=await Promise.resolve().then(()=>(
|
|
57
|
+
ON DUPLICATE KEY UPDATE payload = VALUES(payload), expires_at = VALUES(expires_at)`,[e,i,a],this.connectionName)}async destroy(e){let{Connection:t}=await Promise.resolve().then(()=>(S(),R));await t.raw(`DELETE FROM ${this.tableName} WHERE id = ?`,[e],this.connectionName)}async gc(e){let{Connection:t}=await Promise.resolve().then(()=>(S(),R));await t.raw(`DELETE FROM ${this.tableName} WHERE expires_at < ?`,[new Date().toISOString()],this.connectionName)}},Ht=class{dir;constructor(e){this.dir=e??Oe(process.cwd(),"storage","sessions")}filePath(e){let t=e.replace(/[^a-zA-Z0-9_-]/g,"");return Oe(this.dir,`${t}.json`)}async ensureDir(){await K.mkdir(this.dir,{recursive:!0})}async read(e){try{let t=await K.readFile(this.filePath(e),"utf-8"),s=JSON.parse(t);return new Date(s.expiresAt)<new Date?(await this.destroy(e),null):s.data}catch{return null}}async write(e,t,s){await this.ensureDir();let r={data:t,expiresAt:new Date(Date.now()+s*1e3).toISOString()};await K.writeFile(this.filePath(e),JSON.stringify(r),"utf-8")}async destroy(e){try{await K.unlink(this.filePath(e))}catch{}}async gc(e){try{let t=await K.readdir(this.dir),s=new Date;for(let r of t)if(r.endsWith(".json"))try{let i=await K.readFile(Oe(this.dir,r),"utf-8"),a=JSON.parse(i);new Date(a.expiresAt)<s&&await K.unlink(Oe(this.dir,r))}catch{await K.unlink(Oe(this.dir,r)).catch(()=>{})}}catch{}}},zt=class{redis;prefix;constructor(e){this.prefix=e?.prefix??"svelar_session:",e?.client?this.redis=e.client:this._url=e?.url}_url;_connecting;async getClient(){return this.redis?this.redis:(this._connecting||(this._connecting=(async()=>{try{let{default:e}=await import("ioredis");return this.redis=this._url?new e(this._url):new e,this.redis}catch{throw new Error('RedisSessionStore requires "ioredis" package. Install it: npm install ioredis')}})()),this._connecting)}async read(e){let s=await(await this.getClient()).get(this.prefix+e);if(!s)return null;try{return JSON.parse(s)}catch{return null}}async write(e,t,s){await(await this.getClient()).set(this.prefix+e,JSON.stringify(t),"EX",s)}async destroy(e){await(await this.getClient()).del(this.prefix+e)}async gc(e){}},he=class extends ${config;constructor(e){if(super(),this.config={cookieName:"svelar_session",lifetime:7200,secret:"",path:"/",domain:"",secure:process.env.NODE_ENV==="production",httpOnly:!0,sameSite:"lax",...e},!this.config.secret)throw new Error("APP_KEY is not set. Pass `secret` to createSvelarApp() \u2014 e.g. secret: env.APP_KEY (from $env/dynamic/private).")}async handle(e,t){let s=e.event.request.headers.get("cookie")??"",r=this.getSessionIdFromCookie(s),i=null;if(r){let l=this.verifySignedId(r);l?(i=await this.config.store.read(l),r=l):r=null}r||(r=pe.generateId());let a=new pe(r,i??{});e.event.locals.session=a,e.locals.session=a;let n=await t();if(a.isDirty()&&await this.config.store.write(a.id,a.toPersist(),this.config.lifetime),n instanceof Response){let l=this.signId(a.id),c=this.buildCookieString(l);n.headers.append("Set-Cookie",c)}return n}getSessionIdFromCookie(e){let t=e.split(";").map(s=>s.trim());for(let s of t){let[r,...i]=s.split("=");if(r===this.config.cookieName)return decodeURIComponent(i.join("="))}return null}signId(e){let t=mi("sha256",this.config.secret).update(e).digest("base64url");return`${e}.${t}`}verifySignedId(e){let t=e.lastIndexOf(".");if(t===-1)return null;let s=e.slice(0,t),r=e.slice(t+1),i=mi("sha256",this.config.secret).update(s).digest("base64url");if(r.length!==i.length)return null;let a=Buffer.from(r),n=Buffer.from(i);if(a.length!==n.length)return null;try{if(eo(a,n))return s}catch{}return null}buildCookieString(e){let t=[`${this.config.cookieName}=${encodeURIComponent(e)}`];return t.push(`Path=${this.config.path}`),t.push(`Max-Age=${this.config.lifetime}`),this.config.domain&&t.push(`Domain=${this.config.domain}`),this.config.secure&&t.push("Secure"),this.config.httpOnly&&t.push("HttpOnly"),t.push(`SameSite=${this.config.sameSite}`),t.join("; ")}}});var Ue={};L(Ue,{Hash:()=>Hs});import{randomBytes as Bs,scrypt as pi,timingSafeEqual as to}from"crypto";async function so(o,e=16384){let t=Bs(16),s=64,r=await new Promise((i,a)=>{pi(o,t,s,{N:e,r:8,p:1},(n,l)=>{n?a(n):i(l)})});return`$scrypt$N=${e}$${t.toString("base64")}$${r.toString("base64")}`}async function ro(o,e){let t=e.split("$");if(t.length!==5||t[1]!=="scrypt")return!1;let s=parseInt(t[2].replace("N=",""),10),r=Buffer.from(t[3],"base64"),i=Buffer.from(t[4],"base64"),a=i.length,n=await new Promise((l,c)=>{pi(o,r,a,{N:s,r:8,p:1},(m,p)=>{m?c(m):l(p)})});return to(n,i)}var Fs,Hs,ge=w(()=>{"use strict";k();Fs=class{config={driver:"scrypt",scryptCost:16384,bcryptRounds:12};configure(e){Object.assign(this.config,e)}async make(e){switch(this.config.driver){case"scrypt":return so(e,this.config.scryptCost);case"bcrypt":try{return(await import("bcrypt")).default.hash(e,this.config.bcryptRounds??12)}catch{throw new Error('bcrypt driver requires the "bcrypt" package. Install it: npm install bcrypt')}case"argon2":try{return(await import("argon2")).default.hash(e)}catch{throw new Error('argon2 driver requires the "argon2" package. Install it: npm install argon2')}default:throw new Error(`Unsupported hash driver: ${this.config.driver}`)}}async verify(e,t){if(t.startsWith("$scrypt$"))return ro(e,t);if(t.startsWith("$2b$")||t.startsWith("$2a$")||t.startsWith("$2y$"))try{return(await import("bcrypt")).default.compare(e,t)}catch{throw new Error("bcrypt package required to verify bcrypt hashes.")}if(t.startsWith("$argon2"))try{return(await import("argon2")).default.verify(t,e)}catch{throw new Error("argon2 package required to verify argon2 hashes.")}return!1}needsRehash(e){if(this.config.driver==="scrypt"&&e.startsWith("$scrypt$")){let t=e.match(/N=(\d+)/);if(t)return parseInt(t[1],10)!==this.config.scryptCost}if(this.config.driver==="bcrypt"&&(e.startsWith("$2b$")||e.startsWith("$2a$"))){let t=e.match(/\$2[aby]\$(\d+)\$/);if(t)return parseInt(t[1],10)!==this.config.bcryptRounds}return this.config.driver==="scrypt"&&!e.startsWith("$scrypt$")||this.config.driver==="bcrypt"&&!e.startsWith("$2")||this.config.driver==="argon2"&&!e.startsWith("$argon2")}randomString(e=32){return Bs(Math.ceil(e/2)).toString("hex").slice(0,e)}randomToken(e=32){return Bs(e).toString("base64url")}},Hs=P("svelar.hash",()=>new Fs)});var hi={};L(hi,{EmailTemplates:()=>io});import{randomUUID as q}from"crypto";var zs,io,gi=w(()=>{"use strict";k();zs=class{config={driver:"memory"};templates=new Map;constructor(){this.registerDefaults()}configure(e){this.config=e}async register(e){let t={...e,id:q(),createdAt:Date.now(),updatedAt:Date.now()};if(this.config.driver==="memory")this.templates.set(e.name,t);else if(this.config.driver==="database")try{let{Connection:s}=await Promise.resolve().then(()=>(S(),R));await s.connection()}catch{this.templates.set(e.name,t)}return t}async render(e,t){let s=await this.get(e);if(!s)throw new Error(`Template "${e}" not found`);let r=this.interpolate(s.subject,t),i=this.interpolate(s.html,t),a=s.text?this.interpolate(s.text,t):void 0;return{subject:r,html:i,text:a}}async get(e){return this.templates.get(e)||null}async list(e){let t=Array.from(this.templates.values());return e&&(t=t.filter(s=>s.category===e)),t}async update(e,t){let s=this.templates.get(e);return s?(Object.assign(s,t,{updatedAt:Date.now()}),s):null}async delete(e){return this.templates.delete(e)}registerDefaults(){this.templates.set("welcome",{id:q(),name:"welcome",subject:"Welcome to {{appName}}, {{user.name}}!",html:`
|
|
58
58
|
<h1>Welcome, {{user.name}}!</h1>
|
|
59
59
|
<p>Thank you for joining {{appName}}.</p>
|
|
60
60
|
<p>Your account has been created with the email: <strong>{{user.email}}</strong></p>
|
|
@@ -110,21 +110,21 @@ This code expires in {{expiresMinutes}} minutes.`,variables:["appName","user.nam
|
|
|
110
110
|
<p>Your {{plan.name}} subscription has been canceled.</p>
|
|
111
111
|
<p>You have access until {{accessUntilDate}}.</p>
|
|
112
112
|
`,text:`Your {{plan.name}} subscription is canceled.
|
|
113
|
-
Access until: {{accessUntilDate}}`,variables:["user.name","plan.name","accessUntilDate"],category:"billing",active:!0,createdAt:Date.now(),updatedAt:Date.now()})}interpolate(e,t){let s=e;return s=s.replace(/\{\{#if\s+(\w+(?:\.\w+)*)\}\}([\s\S]*?)\{\{\/if\}\}/g,(r,i,a)=>this.getNestedValue(t,i)?a:""),s=s.replace(/\{\{#each\s+(\w+(?:\.\w+)*)\}\}([\s\S]*?)\{\{\/each\}\}/g,(r,i,a)=>{let n=this.getNestedValue(t,i);return Array.isArray(n)?n.map((l,c)=>{let m={...t,this:l,$index:c};return this.interpolate(a,m)}).join(""):""}),s=s.replace(/\{\{([\w.$]+)\}\}/g,(r,i)=>{let a=this.getNestedValue(t,i);return a!=null?String(a):""}),s}getNestedValue(e,t){return t.split(".").reduce((s,r)=>s?.[r],e)}},io=S("svelar.emailTemplates",()=>new zs)});var Zs={};L(Zs,{Mailable:()=>Fe,Mailer:()=>Ys});function Gs(o){return typeof o=="string"?o:`${o.name} <${o.address}>`}function M(o){return o?Array.isArray(o)?o:[o]:[]}function fi(o){return Buffer.isBuffer(o)?o.toString("base64"):Buffer.from(o).toString("base64")}var Kt,Ks,Ws,Js,Vs,Fe,Qs,Ys,Wt=w(()=>{"use strict";E();Kt=class{async send(e){let t=M(e.to);return console.log(`[Mail] To: ${t.join(", ")} | Subject: ${e.subject}`),e.text&&console.log(`[Mail] Body: ${e.text.slice(0,200)}`),{accepted:t,rejected:[]}}},Ks=class{async send(e){return{accepted:M(e.to),rejected:[]}}},Ws=class{constructor(e){this.config=e}async send(e){try{let r=await(await import("nodemailer")).createTransport({host:this.config.host,port:this.config.port??587,secure:this.config.secure??!1,auth:this.config.auth}).sendMail({from:e.from?Gs(e.from):void 0,to:M(e.to).join(", "),cc:M(e.cc).join(", ")||void 0,bcc:M(e.bcc).join(", ")||void 0,replyTo:e.replyTo,subject:e.subject,text:e.text,html:e.html,attachments:e.attachments});return{accepted:r.accepted,rejected:r.rejected,messageId:r.messageId}}catch(t){throw t.code==="MODULE_NOT_FOUND"?new Error("SMTP driver requires nodemailer. Install: npm install nodemailer"):t}}},Js=class{constructor(e){this.config=e}async send(e){let t=this.config.apiToken;if(!t)throw new Error("Postmark apiToken is required. Set it in your mailer config or POSTMARK_API_TOKEN env var.");let s=M(e.to),r=M(e.cc),i=M(e.bcc),a={From:e.from?Gs(e.from):void 0,To:s.join(", "),Subject:e.subject,MessageStream:this.config.messageStream||"outbound"};r.length>0&&(a.Cc=r.join(", ")),i.length>0&&(a.Bcc=i.join(", ")),e.replyTo&&(a.ReplyTo=e.replyTo),e.html&&(a.HtmlBody=e.html),e.text&&(a.TextBody=e.text),!a.HtmlBody&&!a.TextBody&&(a.TextBody=""),e.tags&&(a.Tag=Object.values(e.tags)[0]),e.attachments?.length&&(a.Attachments=e.attachments.map(c=>({Name:c.filename,Content:fi(c.content),ContentType:c.contentType||"application/octet-stream"})));let n=await fetch("https://api.postmarkapp.com/email",{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json","X-Postmark-Server-Token":t},body:JSON.stringify(a)});if(!n.ok){let c=await n.json().catch(()=>({Message:n.statusText}));throw new Error(`Postmark error ${n.status}: ${c.Message||JSON.stringify(c)}`)}let l=await n.json();return{accepted:s,rejected:[],messageId:l.MessageID}}},Vs=class{constructor(e){this.config=e}async send(e){let t=this.config.apiKey;if(!t)throw new Error("Resend apiKey is required. Set it in your mailer config or RESEND_API_KEY env var.");let s=M(e.to),r=M(e.cc),i=M(e.bcc),a={from:e.from?Gs(e.from):void 0,to:s,subject:e.subject};r.length>0&&(a.cc=r),i.length>0&&(a.bcc=i),e.replyTo&&(a.reply_to=[e.replyTo]),e.html&&(a.html=e.html),e.text&&(a.text=e.text),e.tags&&(a.tags=Object.entries(e.tags).map(([c,m])=>({name:c,value:m}))),e.attachments?.length&&(a.attachments=e.attachments.map(c=>({filename:c.filename,content:fi(c.content),content_type:c.contentType||"application/octet-stream"})));let n=await fetch("https://api.resend.com/emails",{method:"POST",headers:{Authorization:`Bearer ${t}`,"Content-Type":"application/json"},body:JSON.stringify(a)});if(!n.ok){let c=await n.json().catch(()=>({message:n.statusText}));throw new Error(`Resend error ${n.status}: ${c.message||JSON.stringify(c)}`)}let l=await n.json();return{accepted:s,rejected:[],messageId:l.id}}},Fe=class{message={};to(e){return this.message.to=e,this}cc(e){return this.message.cc=e,this}bcc(e){return this.message.bcc=e,this}from(e){return this.message.from=e,this}replyTo(e){return this.message.replyTo=e,this}subject(e){return this.message.subject=e,this}text(e){return this.message.text=e,this}html(e){return this.message.html=e,this}attach(e,t,s){return this.message.attachments||(this.message.attachments=[]),this.message.attachments.push({filename:e,content:t,contentType:s}),this}tag(e,t){return this.message.tags||(this.message.tags={}),this.message.tags[e]=t,this}toMessage(){return this.message}},Qs=class{config=null;transports=new Map;configure(e){this.config=e,this.transports.clear()}async send(e,t){let s=this.resolveTransport(t);return!e.from&&this.config?.from&&(e.from=this.config.from),s.send(e)}async sendMailable(e,t){e.build();let s=e.toMessage();return!s.from&&this.config?.from&&(s.from=this.config.from),this.send(s,t)}mailer(e){let t=this.resolveTransport(e);return{send:s=>(!s.from&&this.config?.from&&(s.from=this.config.from),t.send(s))}}resolveTransport(e){let t=e??this.config?.default??"log";if(this.transports.has(t))return this.transports.get(t);if(!this.config){let i=new Kt;return this.transports.set(t,i),i}let s=this.config.mailers[t];if(!s)throw new Error(`Mailer "${t}" is not defined.`);let r;switch(s.driver){case"smtp":r=new Ws(s);break;case"postmark":r=new Js(s);break;case"resend":r=new Vs(s);break;case"log":r=new Kt;break;case"null":r=new Ks;break;case"custom":{if(!s.transport)throw new Error(`Custom mail driver "${t}" requires a "transport" instance.`);r=s.transport;break}default:throw new Error(`Unknown mail driver: ${s.driver}`)}return this.transports.set(t,r),r}},Ys=S("svelar.mail",()=>new Qs)});import{createHmac as fe,randomBytes as Be}from"crypto";function bi(o){return(typeof o=="string"?Buffer.from(o):o).toString("base64url")}function yi(o){return Buffer.from(o,"base64url").toString("utf-8")}function vi(o,e,t,s){return fe(s==="HS384"?"sha384":s==="HS512"?"sha512":"sha256",t).update(`${o}.${e}`).digest("base64url")}function Xs(o,e,t="HS256"){let s=bi(JSON.stringify({alg:t,typ:"JWT"})),r=bi(JSON.stringify(o)),i=vi(s,r,e,t);return`${s}.${r}.${i}`}function er(o,e){let t=o.split(".");if(t.length!==3)return null;let[s,r,i]=t,a;try{a=JSON.parse(yi(s))}catch{return null}let n=vi(s,r,e,a.alg);if(i!==n)return null;try{let l=JSON.parse(yi(r));return l.exp&&Date.now()/1e3>l.exp?null:l}catch{return null}}var Jt,be,Vt,tr=w(()=>{"use strict";ue();Jt=class{config;currentUser=null;constructor(e){this.config={identifierColumn:"email",passwordColumn:"password",...e}}async attempt(e,t){let{Hash:s}=await Promise.resolve().then(()=>(ge(),Ue)),r=e[this.config.identifierColumn],i=e[this.config.passwordColumn];if(!r||!i)return null;let a=await this.config.model.where(this.config.identifierColumn,r).first();if(!a)return null;let n=a.getAttribute(this.config.passwordColumn);return await s.verify(i,n)?(this.currentUser=a,t&&(t.set("auth_user_id",a.getAttribute("id")),t.regenerateId()),a):null}async attemptJwt(e){let{Hash:t}=await Promise.resolve().then(()=>(ge(),Ue));if(!this.config.jwt)throw new Error("JWT configuration required for JWT guard.");let s=e[this.config.identifierColumn],r=e[this.config.passwordColumn];if(!s||!r)return null;let i=await this.config.model.where(this.config.identifierColumn,s).first();if(!i)return null;let a=i.getAttribute(this.config.passwordColumn);return await t.verify(r,a)?(this.currentUser=i,this.issueTokenPair(i)):null}async issueTokenPair(e){let t=this.config.jwt,s=t.expiresIn??3600,r=Math.floor(Date.now()/1e3),i={sub:e.getAttribute("id"),iat:r,exp:r+s,...t.issuer?{iss:t.issuer}:{}},a=Xs(i,t.secret,t.algorithm),n=new Date((r+s)*1e3),l={user:e,token:a,expiresAt:n};if(t.refreshTokens){let c=t.refreshExpiresIn??604800,m=Be(32).toString("base64url"),p=fe("sha256",t.secret).update(m).digest("hex"),h=new Date((r+c)*1e3),{Connection:u}=await Promise.resolve().then(()=>(P(),R)),b=t.refreshTable??"refresh_tokens";await u.raw(`INSERT INTO ${b} (user_id, token, expires_at, created_at) VALUES (?, ?, ?, ?)`,[e.getAttribute("id"),p,h.toISOString(),new Date().toISOString()]),l.refreshToken=m,l.refreshExpiresAt=h}return l}async refreshJwt(e){if(!this.config.jwt)throw new Error("JWT configuration required.");if(!this.config.jwt.refreshTokens)throw new Error("Refresh tokens are not enabled. Set jwt.refreshTokens = true.");let t=this.config.jwt,s=fe("sha256",t.secret).update(e).digest("hex"),{Connection:r}=await Promise.resolve().then(()=>(P(),R)),i=t.refreshTable??"refresh_tokens",a=await r.raw(`SELECT user_id, expires_at, revoked_at FROM ${i} WHERE token = ?`,[s]);if(a.length===0)return null;let n=a[0];if(n.revoked_at||new Date(n.expires_at)<new Date)return null;await r.raw(`UPDATE ${i} SET revoked_at = ? WHERE token = ?`,[new Date().toISOString(),s]);let l=await this.config.model.find(n.user_id);return l?(this.currentUser=l,this.issueTokenPair(l)):null}async revokeRefreshTokens(e){if(!this.config.jwt?.refreshTokens)return;let{Connection:t}=await Promise.resolve().then(()=>(P(),R)),s=this.config.jwt.refreshTable??"refresh_tokens";await t.raw(`UPDATE ${s} SET revoked_at = ? WHERE user_id = ? AND revoked_at IS NULL`,[new Date().toISOString(),e])}async resolveFromToken(e){if(!this.config.jwt)throw new Error("JWT configuration required.");let t=er(e,this.config.jwt.secret);if(!t)return null;let s=await this.config.model.find(t.sub);return s&&(this.currentUser=s),s}async resolveFromSession(e){let t=e.get("auth_user_id");if(!t)return null;let s=await this.config.model.find(t);return s&&(this.currentUser=s),s}async register(e){let{Hash:t}=await Promise.resolve().then(()=>(ge(),Ue));e[this.config.passwordColumn]&&(e[this.config.passwordColumn]=await t.make(e[this.config.passwordColumn]));let s=await this.config.model.create(e);return this.currentUser=s,s}async logout(e){this.currentUser=null,e&&(e.forget("auth_user_id"),e.regenerateId())}user(){return this.currentUser}check(){return this.currentUser!==null}id(){return this.currentUser?.getAttribute("id")??null}async generateApiToken(e,t="default"){let s=Be(32).toString("hex"),r=this.config.jwt?.secret??process.env.APP_KEY;if(!r)throw new Error("APP_KEY is not set. Set it in your .env file or pass jwt.secret in auth config.");let i=fe("sha256",r).update(s).digest("hex"),{Connection:a}=await Promise.resolve().then(()=>(P(),R)),n=this.config.token?.table??"personal_access_tokens";return await a.raw(`INSERT INTO ${n} (user_id, name, token, created_at) VALUES (?, ?, ?, ?)`,[e.getAttribute("id"),t,i,new Date().toISOString()]),s}async resolveFromApiToken(e){let{Connection:t}=await Promise.resolve().then(()=>(P(),R)),s=this.config.token?.table??"personal_access_tokens",r=this.config.jwt?.secret??process.env.APP_KEY;if(!r)throw new Error("APP_KEY is not set. Set it in your .env file or pass jwt.secret in auth config.");let i=fe("sha256",r).update(e).digest("hex"),a=await t.raw(`SELECT user_id FROM ${s} WHERE token = ?`,[i]);if(a.length===0)return null;let n=await this.config.model.find(a[0].user_id);return n&&(this.currentUser=n),n}async sendPasswordReset(e){let t=await this.config.model.where(this.config.identifierColumn,e).first();if(!t)return!1;let{Connection:s}=await Promise.resolve().then(()=>(P(),R)),r=this.config.passwordResets?.table??"password_resets",i=this.config.passwordResets?.expiresIn??3600;await this.ensureTable(r,`
|
|
113
|
+
Access until: {{accessUntilDate}}`,variables:["user.name","plan.name","accessUntilDate"],category:"billing",active:!0,createdAt:Date.now(),updatedAt:Date.now()})}interpolate(e,t){let s=e;return s=s.replace(/\{\{#if\s+(\w+(?:\.\w+)*)\}\}([\s\S]*?)\{\{\/if\}\}/g,(r,i,a)=>this.getNestedValue(t,i)?a:""),s=s.replace(/\{\{#each\s+(\w+(?:\.\w+)*)\}\}([\s\S]*?)\{\{\/each\}\}/g,(r,i,a)=>{let n=this.getNestedValue(t,i);return Array.isArray(n)?n.map((l,c)=>{let m={...t,this:l,$index:c};return this.interpolate(a,m)}).join(""):""}),s=s.replace(/\{\{([\w.$]+)\}\}/g,(r,i)=>{let a=this.getNestedValue(t,i);return a!=null?String(a):""}),s}getNestedValue(e,t){return t.split(".").reduce((s,r)=>s?.[r],e)}},io=P("svelar.emailTemplates",()=>new zs)});var Zs={};L(Zs,{Mailable:()=>Be,Mailer:()=>Ys});function Gs(o){return typeof o=="string"?o:`${o.name} <${o.address}>`}function M(o){return o?Array.isArray(o)?o:[o]:[]}function fi(o){return Buffer.isBuffer(o)?o.toString("base64"):Buffer.from(o).toString("base64")}var Kt,Ks,Ws,Js,Vs,Be,Qs,Ys,Wt=w(()=>{"use strict";k();Kt=class{async send(e){let t=M(e.to);return console.log(`[Mail] To: ${t.join(", ")} | Subject: ${e.subject}`),e.text&&console.log(`[Mail] Body: ${e.text.slice(0,200)}`),{accepted:t,rejected:[]}}},Ks=class{async send(e){return{accepted:M(e.to),rejected:[]}}},Ws=class{constructor(e){this.config=e}async send(e){try{let r=await(await import("nodemailer")).createTransport({host:this.config.host,port:this.config.port??587,secure:this.config.secure??!1,auth:this.config.auth}).sendMail({from:e.from?Gs(e.from):void 0,to:M(e.to).join(", "),cc:M(e.cc).join(", ")||void 0,bcc:M(e.bcc).join(", ")||void 0,replyTo:e.replyTo,subject:e.subject,text:e.text,html:e.html,attachments:e.attachments});return{accepted:r.accepted,rejected:r.rejected,messageId:r.messageId}}catch(t){throw t.code==="MODULE_NOT_FOUND"?new Error("SMTP driver requires nodemailer. Install: npm install nodemailer"):t}}},Js=class{constructor(e){this.config=e}async send(e){let t=this.config.apiToken;if(!t)throw new Error("Postmark apiToken is required. Set it in your mailer config or POSTMARK_API_TOKEN env var.");let s=M(e.to),r=M(e.cc),i=M(e.bcc),a={From:e.from?Gs(e.from):void 0,To:s.join(", "),Subject:e.subject,MessageStream:this.config.messageStream||"outbound"};r.length>0&&(a.Cc=r.join(", ")),i.length>0&&(a.Bcc=i.join(", ")),e.replyTo&&(a.ReplyTo=e.replyTo),e.html&&(a.HtmlBody=e.html),e.text&&(a.TextBody=e.text),!a.HtmlBody&&!a.TextBody&&(a.TextBody=""),e.tags&&(a.Tag=Object.values(e.tags)[0]),e.attachments?.length&&(a.Attachments=e.attachments.map(c=>({Name:c.filename,Content:fi(c.content),ContentType:c.contentType||"application/octet-stream"})));let n=await fetch("https://api.postmarkapp.com/email",{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json","X-Postmark-Server-Token":t},body:JSON.stringify(a)});if(!n.ok){let c=await n.json().catch(()=>({Message:n.statusText}));throw new Error(`Postmark error ${n.status}: ${c.Message||JSON.stringify(c)}`)}let l=await n.json();return{accepted:s,rejected:[],messageId:l.MessageID}}},Vs=class{constructor(e){this.config=e}async send(e){let t=this.config.apiKey;if(!t)throw new Error("Resend apiKey is required. Set it in your mailer config or RESEND_API_KEY env var.");let s=M(e.to),r=M(e.cc),i=M(e.bcc),a={from:e.from?Gs(e.from):void 0,to:s,subject:e.subject};r.length>0&&(a.cc=r),i.length>0&&(a.bcc=i),e.replyTo&&(a.reply_to=[e.replyTo]),e.html&&(a.html=e.html),e.text&&(a.text=e.text),e.tags&&(a.tags=Object.entries(e.tags).map(([c,m])=>({name:c,value:m}))),e.attachments?.length&&(a.attachments=e.attachments.map(c=>({filename:c.filename,content:fi(c.content),content_type:c.contentType||"application/octet-stream"})));let n=await fetch("https://api.resend.com/emails",{method:"POST",headers:{Authorization:`Bearer ${t}`,"Content-Type":"application/json"},body:JSON.stringify(a)});if(!n.ok){let c=await n.json().catch(()=>({message:n.statusText}));throw new Error(`Resend error ${n.status}: ${c.message||JSON.stringify(c)}`)}let l=await n.json();return{accepted:s,rejected:[],messageId:l.id}}},Be=class{message={};to(e){return this.message.to=e,this}cc(e){return this.message.cc=e,this}bcc(e){return this.message.bcc=e,this}from(e){return this.message.from=e,this}replyTo(e){return this.message.replyTo=e,this}subject(e){return this.message.subject=e,this}text(e){return this.message.text=e,this}html(e){return this.message.html=e,this}attach(e,t,s){return this.message.attachments||(this.message.attachments=[]),this.message.attachments.push({filename:e,content:t,contentType:s}),this}tag(e,t){return this.message.tags||(this.message.tags={}),this.message.tags[e]=t,this}toMessage(){return this.message}},Qs=class{config=null;transports=new Map;configure(e){this.config=e,this.transports.clear()}async send(e,t){let s=this.resolveTransport(t);return!e.from&&this.config?.from&&(e.from=this.config.from),s.send(e)}async sendMailable(e,t){e.build();let s=e.toMessage();return!s.from&&this.config?.from&&(s.from=this.config.from),this.send(s,t)}mailer(e){let t=this.resolveTransport(e);return{send:s=>(!s.from&&this.config?.from&&(s.from=this.config.from),t.send(s))}}resolveTransport(e){let t=e??this.config?.default??"log";if(this.transports.has(t))return this.transports.get(t);if(!this.config){let i=new Kt;return this.transports.set(t,i),i}let s=this.config.mailers[t];if(!s)throw new Error(`Mailer "${t}" is not defined.`);let r;switch(s.driver){case"smtp":r=new Ws(s);break;case"postmark":r=new Js(s);break;case"resend":r=new Vs(s);break;case"log":r=new Kt;break;case"null":r=new Ks;break;case"custom":{if(!s.transport)throw new Error(`Custom mail driver "${t}" requires a "transport" instance.`);r=s.transport;break}default:throw new Error(`Unknown mail driver: ${s.driver}`)}return this.transports.set(t,r),r}},Ys=P("svelar.mail",()=>new Qs)});import{createHmac as fe,randomBytes as Fe}from"crypto";function bi(o){return(typeof o=="string"?Buffer.from(o):o).toString("base64url")}function yi(o){return Buffer.from(o,"base64url").toString("utf-8")}function vi(o,e,t,s){return fe(s==="HS384"?"sha384":s==="HS512"?"sha512":"sha256",t).update(`${o}.${e}`).digest("base64url")}function Xs(o,e,t="HS256"){let s=bi(JSON.stringify({alg:t,typ:"JWT"})),r=bi(JSON.stringify(o)),i=vi(s,r,e,t);return`${s}.${r}.${i}`}function er(o,e){let t=o.split(".");if(t.length!==3)return null;let[s,r,i]=t,a;try{a=JSON.parse(yi(s))}catch{return null}let n=vi(s,r,e,a.alg);if(i!==n)return null;try{let l=JSON.parse(yi(r));return l.exp&&Date.now()/1e3>l.exp?null:l}catch{return null}}var Jt,be,Vt,tr=w(()=>{"use strict";ue();Jt=class{config;currentUser=null;constructor(e){this.config={identifierColumn:"email",passwordColumn:"password",...e}}async attempt(e,t){let{Hash:s}=await Promise.resolve().then(()=>(ge(),Ue)),r=e[this.config.identifierColumn],i=e[this.config.passwordColumn];if(!r||!i)return null;let a=await this.config.model.where(this.config.identifierColumn,r).first();if(!a)return null;let n=a.getAttribute(this.config.passwordColumn);return await s.verify(i,n)?(this.currentUser=a,t&&(t.set("auth_user_id",a.getAttribute("id")),t.regenerateId()),a):null}async attemptJwt(e){let{Hash:t}=await Promise.resolve().then(()=>(ge(),Ue));if(!this.config.jwt)throw new Error("JWT configuration required for JWT guard.");let s=e[this.config.identifierColumn],r=e[this.config.passwordColumn];if(!s||!r)return null;let i=await this.config.model.where(this.config.identifierColumn,s).first();if(!i)return null;let a=i.getAttribute(this.config.passwordColumn);return await t.verify(r,a)?(this.currentUser=i,this.issueTokenPair(i)):null}async issueTokenPair(e){let t=this.config.jwt,s=t.expiresIn??3600,r=Math.floor(Date.now()/1e3),i={sub:e.getAttribute("id"),iat:r,exp:r+s,...t.issuer?{iss:t.issuer}:{}},a=Xs(i,t.secret,t.algorithm),n=new Date((r+s)*1e3),l={user:e,token:a,expiresAt:n};if(t.refreshTokens){let c=t.refreshExpiresIn??604800,m=Fe(32).toString("base64url"),p=fe("sha256",t.secret).update(m).digest("hex"),h=new Date((r+c)*1e3),{Connection:u}=await Promise.resolve().then(()=>(S(),R)),b=t.refreshTable??"refresh_tokens";await u.raw(`INSERT INTO ${b} (user_id, token, expires_at, created_at) VALUES (?, ?, ?, ?)`,[e.getAttribute("id"),p,h.toISOString(),new Date().toISOString()]),l.refreshToken=m,l.refreshExpiresAt=h}return l}async refreshJwt(e){if(!this.config.jwt)throw new Error("JWT configuration required.");if(!this.config.jwt.refreshTokens)throw new Error("Refresh tokens are not enabled. Set jwt.refreshTokens = true.");let t=this.config.jwt,s=fe("sha256",t.secret).update(e).digest("hex"),{Connection:r}=await Promise.resolve().then(()=>(S(),R)),i=t.refreshTable??"refresh_tokens",a=await r.raw(`SELECT user_id, expires_at, revoked_at FROM ${i} WHERE token = ?`,[s]);if(a.length===0)return null;let n=a[0];if(n.revoked_at||new Date(n.expires_at)<new Date)return null;await r.raw(`UPDATE ${i} SET revoked_at = ? WHERE token = ?`,[new Date().toISOString(),s]);let l=await this.config.model.find(n.user_id);return l?(this.currentUser=l,this.issueTokenPair(l)):null}async revokeRefreshTokens(e){if(!this.config.jwt?.refreshTokens)return;let{Connection:t}=await Promise.resolve().then(()=>(S(),R)),s=this.config.jwt.refreshTable??"refresh_tokens";await t.raw(`UPDATE ${s} SET revoked_at = ? WHERE user_id = ? AND revoked_at IS NULL`,[new Date().toISOString(),e])}async resolveFromToken(e){if(!this.config.jwt)throw new Error("JWT configuration required.");let t=er(e,this.config.jwt.secret);if(!t)return null;let s=await this.config.model.find(t.sub);return s&&(this.currentUser=s),s}async resolveFromSession(e){let t=e.get("auth_user_id");if(!t)return null;let s=await this.config.model.find(t);return s&&(this.currentUser=s),s}async register(e){let{Hash:t}=await Promise.resolve().then(()=>(ge(),Ue));e[this.config.passwordColumn]&&(e[this.config.passwordColumn]=await t.make(e[this.config.passwordColumn]));let s=await this.config.model.create(e);return this.currentUser=s,s}async logout(e){this.currentUser=null,e&&(e.forget("auth_user_id"),e.regenerateId())}user(){return this.currentUser}check(){return this.currentUser!==null}id(){return this.currentUser?.getAttribute("id")??null}async generateApiToken(e,t="default"){let s=Fe(32).toString("hex"),r=this.config.jwt?.secret??process.env.APP_KEY;if(!r)throw new Error("APP_KEY is not set. Set it in your .env file or pass jwt.secret in auth config.");let i=fe("sha256",r).update(s).digest("hex"),{Connection:a}=await Promise.resolve().then(()=>(S(),R)),n=this.config.token?.table??"personal_access_tokens";return await a.raw(`INSERT INTO ${n} (user_id, name, token, created_at) VALUES (?, ?, ?, ?)`,[e.getAttribute("id"),t,i,new Date().toISOString()]),s}async resolveFromApiToken(e){let{Connection:t}=await Promise.resolve().then(()=>(S(),R)),s=this.config.token?.table??"personal_access_tokens",r=this.config.jwt?.secret??process.env.APP_KEY;if(!r)throw new Error("APP_KEY is not set. Set it in your .env file or pass jwt.secret in auth config.");let i=fe("sha256",r).update(e).digest("hex"),a=await t.raw(`SELECT user_id FROM ${s} WHERE token = ?`,[i]);if(a.length===0)return null;let n=await this.config.model.find(a[0].user_id);return n&&(this.currentUser=n),n}async sendPasswordReset(e){let t=await this.config.model.where(this.config.identifierColumn,e).first();if(!t)return!1;let{Connection:s}=await Promise.resolve().then(()=>(S(),R)),r=this.config.passwordResets?.table??"password_resets",i=this.config.passwordResets?.expiresIn??3600;await this.ensureTable(r,`
|
|
114
114
|
CREATE TABLE IF NOT EXISTS ${r} (
|
|
115
115
|
email TEXT NOT NULL,
|
|
116
116
|
token TEXT NOT NULL,
|
|
117
117
|
expires_at TEXT NOT NULL,
|
|
118
118
|
created_at TEXT NOT NULL
|
|
119
119
|
)
|
|
120
|
-
`),await s.raw(`DELETE FROM ${r} WHERE email = ?`,[e]);let a=
|
|
120
|
+
`),await s.raw(`DELETE FROM ${r} WHERE email = ?`,[e]);let a=Fe(32).toString("base64url"),n=this.hashToken(a),l=new Date(Date.now()+i*1e3).toISOString();await s.raw(`INSERT INTO ${r} (email, token, expires_at, created_at) VALUES (?, ?, ?, ?)`,[e,n,l,new Date().toISOString()]);let c=this.config.appUrl??process.env.APP_URL??"http://localhost:5173",m=this.config.appName??process.env.APP_NAME??"Svelar",p=`${c}/reset-password?token=${a}&email=${encodeURIComponent(e)}`;return await this.sendAuthEmail("password-reset",e,{appName:m,"user.name":t.getAttribute("name")??e,resetUrl:p}),!0}async resetPassword(e,t,s){let{Connection:r}=await Promise.resolve().then(()=>(S(),R)),{Hash:i}=await Promise.resolve().then(()=>(ge(),Ue)),a=this.config.passwordResets?.table??"password_resets",n=this.hashToken(e),l=await r.raw(`SELECT email, expires_at FROM ${a} WHERE token = ? AND email = ?`,[n,t]);if(l.length===0)return!1;let c=l[0];if(new Date(c.expires_at)<new Date)return await r.raw(`DELETE FROM ${a} WHERE email = ?`,[t]),!1;let m=await this.config.model.where(this.config.identifierColumn,t).first();if(!m)return!1;let p=await i.make(s);return await this.config.model.where("id",m.getAttribute("id")).update({[this.config.passwordColumn]:p}),await r.raw(`DELETE FROM ${a} WHERE email = ?`,[t]),await this.revokeRefreshTokens(m.getAttribute("id")),!0}async sendVerificationEmail(e){let{Connection:t}=await Promise.resolve().then(()=>(S(),R)),s=this.config.emailVerification?.table??"email_verifications",r=this.config.emailVerification?.expiresIn??86400,i=e.getAttribute(this.config.identifierColumn);await this.ensureTable(s,`
|
|
121
121
|
CREATE TABLE IF NOT EXISTS ${s} (
|
|
122
122
|
user_id TEXT NOT NULL,
|
|
123
123
|
token TEXT NOT NULL,
|
|
124
124
|
expires_at TEXT NOT NULL,
|
|
125
125
|
created_at TEXT NOT NULL
|
|
126
126
|
)
|
|
127
|
-
`),await t.raw(`DELETE FROM ${s} WHERE user_id = ?`,[e.getAttribute("id")]);let a=
|
|
127
|
+
`),await t.raw(`DELETE FROM ${s} WHERE user_id = ?`,[e.getAttribute("id")]);let a=Fe(32).toString("base64url"),n=this.hashToken(a),l=new Date(Date.now()+r*1e3).toISOString();await t.raw(`INSERT INTO ${s} (user_id, token, expires_at, created_at) VALUES (?, ?, ?, ?)`,[e.getAttribute("id"),n,l,new Date().toISOString()]);let m=`${this.config.appUrl??process.env.APP_URL??"http://localhost:5173"}/verify-email?token=${a}&id=${e.getAttribute("id")}`;await this.sendAuthEmail("email-verification",i,{"user.name":e.getAttribute("name")??i,verifyUrl:m})}async verifyEmail(e,t){let{Connection:s}=await Promise.resolve().then(()=>(S(),R)),r=this.config.emailVerification?.table??"email_verifications",i=this.config.emailVerification?.verifiedColumn??"email_verified_at",a=this.hashToken(e),n=await s.raw(`SELECT user_id, expires_at FROM ${r} WHERE token = ? AND user_id = ?`,[a,t]);return n.length===0?!1:new Date(n[0].expires_at)<new Date?(await s.raw(`DELETE FROM ${r} WHERE user_id = ?`,[t]),!1):(await this.config.model.where("id",t).update({[i]:new Date().toISOString()}),await s.raw(`DELETE FROM ${r} WHERE user_id = ?`,[t]),!0)}isEmailVerified(e){let t=this.config.emailVerification?.verifiedColumn??"email_verified_at";return!!e.getAttribute(t)}async sendOtp(e,t="login"){let s=await this.config.model.where(this.config.identifierColumn,e).first();if(!s)return!1;let{Connection:r}=await Promise.resolve().then(()=>(S(),R)),i=this.config.otp?.table??"otp_codes",a=this.config.otp?.expiresIn??600,n=this.config.otp?.length??6;await this.ensureTable(i,`
|
|
128
128
|
CREATE TABLE IF NOT EXISTS ${i} (
|
|
129
129
|
email TEXT NOT NULL,
|
|
130
130
|
code TEXT NOT NULL,
|
|
@@ -133,12 +133,12 @@ Access until: {{accessUntilDate}}`,variables:["user.name","plan.name","accessUnt
|
|
|
133
133
|
used_at TEXT,
|
|
134
134
|
created_at TEXT NOT NULL
|
|
135
135
|
)
|
|
136
|
-
`),await r.raw(`DELETE FROM ${i} WHERE email = ? AND purpose = ?`,[e,t]);let l=this.generateOtpCode(n),c=this.hashToken(l),m=new Date(Date.now()+a*1e3).toISOString();await r.raw(`INSERT INTO ${i} (email, code, purpose, expires_at, created_at) VALUES (?, ?, ?, ?, ?)`,[e,c,t,m,new Date().toISOString()]);let p=this.config.appName??process.env.APP_NAME??"Svelar",h=Math.ceil(a/60);return await this.sendAuthEmail("otp-code",e,{appName:p,"user.name":s.getAttribute("name")??e,code:l,purpose:t,expiresMinutes:String(h)}),!0}async verifyOtp(e,t,s="login"){let{Connection:r}=await Promise.resolve().then(()=>(
|
|
136
|
+
`),await r.raw(`DELETE FROM ${i} WHERE email = ? AND purpose = ?`,[e,t]);let l=this.generateOtpCode(n),c=this.hashToken(l),m=new Date(Date.now()+a*1e3).toISOString();await r.raw(`INSERT INTO ${i} (email, code, purpose, expires_at, created_at) VALUES (?, ?, ?, ?, ?)`,[e,c,t,m,new Date().toISOString()]);let p=this.config.appName??process.env.APP_NAME??"Svelar",h=Math.ceil(a/60);return await this.sendAuthEmail("otp-code",e,{appName:p,"user.name":s.getAttribute("name")??e,code:l,purpose:t,expiresMinutes:String(h)}),!0}async verifyOtp(e,t,s="login"){let{Connection:r}=await Promise.resolve().then(()=>(S(),R)),i=this.config.otp?.table??"otp_codes",a=this.hashToken(t),n=await r.raw(`SELECT email, expires_at, used_at FROM ${i} WHERE code = ? AND email = ? AND purpose = ? AND used_at IS NULL`,[a,e,s]);if(n.length===0)return null;if(new Date(n[0].expires_at)<new Date)return await r.raw(`DELETE FROM ${i} WHERE email = ? AND purpose = ?`,[e,s]),null;await r.raw(`UPDATE ${i} SET used_at = ? WHERE code = ? AND email = ? AND purpose = ?`,[new Date().toISOString(),a,e,s]);let l=await this.config.model.where(this.config.identifierColumn,e).first();return l&&(this.currentUser=l),l}async attemptOtp(e,t,s,r="login"){let i=await this.verifyOtp(e,t,r);return i?(s&&(s.set("auth_user_id",i.getAttribute("id")),s.regenerateId()),i):null}async cleanupExpiredTokens(){let{Connection:e}=await Promise.resolve().then(()=>(S(),R)),t=new Date().toISOString(),s=0,r=0,i=0,a=this.config.passwordResets?.table??"password_resets",n=this.config.emailVerification?.table??"email_verifications",l=this.config.otp?.table??"otp_codes";try{s=(await e.raw(`DELETE FROM ${a} WHERE expires_at < ?`,[t]))?.changes??0}catch{}try{r=(await e.raw(`DELETE FROM ${n} WHERE expires_at < ?`,[t]))?.changes??0}catch{}try{i=(await e.raw(`DELETE FROM ${l} WHERE expires_at < ? OR used_at IS NOT NULL`,[t]))?.changes??0}catch{}return{passwordResets:s,verifications:r,otpCodes:i}}hashToken(e){let t=this.config.jwt?.secret??process.env.APP_KEY;if(!t)throw new Error("APP_KEY is not set. Set it in your .env file or pass jwt.secret in auth config.");return fe("sha256",t).update(e).digest("hex")}generateOtpCode(e){let t=Fe(e);return Array.from(t).map(s=>(s%10).toString()).join("")}tablesEnsured=new Set;async ensureTable(e,t){if(this.tablesEnsured.has(e))return;let{Connection:s}=await Promise.resolve().then(()=>(S(),R));await s.raw(t),this.tablesEnsured.add(e)}async sendAuthEmail(e,t,s){try{let{EmailTemplates:r}=await Promise.resolve().then(()=>(gi(),hi)),{Mailer:i}=await Promise.resolve().then(()=>(Wt(),Zs)),a=await r.render(e,s);await i.send({to:t,subject:a.subject,html:a.html,text:a.text})}catch(r){console.error(`[Auth] Failed to send ${e} email to ${t}:`,r.message)}}},be=class extends ${constructor(t){super();this.authManager=t}async handle(t,s){let r=null;if(t.event.locals.session&&(r=await this.authManager.resolveFromSession(t.event.locals.session)),!r){let i=t.event.request.headers.get("authorization");if(i?.startsWith("Bearer ")){let a=i.slice(7);try{r=await this.authManager.resolveFromToken(a)}catch{r=await this.authManager.resolveFromApiToken(a)}}}return t.event.locals.user=r,t.event.locals.auth=this.authManager,s()}},Vt=class extends ${async handle(e,t){return e.event.locals.user?t():new Response(JSON.stringify({message:"Unauthenticated"}),{status:401,headers:{"Content-Type":"application/json"}})}}});import{appendFile as ao,mkdir as no}from"fs/promises";import{dirname as oo}from"path";function O(){return new Date().toISOString()}var Qt,He,sr,rr,ir,ar,nr,Gt,or=w(()=>{"use strict";k();Qt={debug:0,info:1,warn:2,error:3,fatal:4},He=class{minLevel;format;constructor(e){this.minLevel=e.level??"debug",this.format=e.format??"text"}write(e){if(Qt[e.level]<Qt[this.minLevel])return;if(this.format==="json"){console.log(JSON.stringify(e));return}let t={debug:"\x1B[90m",info:"\x1B[34m",warn:"\x1B[33m",error:"\x1B[31m",fatal:"\x1B[35m"},s="\x1B[0m",r=t[e.level]??"",i=e.level.toUpperCase().padEnd(5),a=Object.keys(e.context).length>0?` ${JSON.stringify(e.context)}`:"",n=e.level==="error"||e.level==="fatal"?"error":"log";console[n](`${r}[${e.timestamp}] ${i}${s} ${e.message}${a}`)}},sr=class{minLevel;path;format;initialized=!1;constructor(e){this.minLevel=e.level??"info",this.path=e.path??"storage/logs/app.log",this.format=e.format??"text"}async write(e){if(Qt[e.level]<Qt[this.minLevel])return;this.initialized||(await no(oo(this.path),{recursive:!0}),this.initialized=!0);let t;if(this.format==="json")t=JSON.stringify(e)+`
|
|
137
137
|
`;else{let s=e.level.toUpperCase().padEnd(5),r=Object.keys(e.context).length>0?` ${JSON.stringify(e.context)}`:"";t=`[${e.timestamp}] ${s} ${e.message}${r}
|
|
138
|
-
`}await ao(this.path,t)}},rr=class{minLevel="debug";channelNames;resolver;constructor(e,t){this.channelNames=e.channels??[],this.resolver=t,this.minLevel=e.level??"debug"}async write(e){for(let t of this.channelNames){let s=this.resolver(t);s&&await s.write(e)}}},ir=class{minLevel="debug";write(){}},ar=class{config={default:"console",channels:{console:{driver:"console",level:"debug"}}};channels=new Map;configure(e){this.config=e,this.channels.clear()}channel(e){return new nr(this.resolveChannel(e))}debug(e,t={}){this.writeToDefault({level:"debug",message:e,context:t,timestamp:O()})}info(e,t={}){this.writeToDefault({level:"info",message:e,context:t,timestamp:O()})}warn(e,t={}){this.writeToDefault({level:"warn",message:e,context:t,timestamp:O()})}error(e,t={}){this.writeToDefault({level:"error",message:e,context:t,timestamp:O()})}fatal(e,t={}){this.writeToDefault({level:"fatal",message:e,context:t,timestamp:O()})}writeToDefault(e){this.resolveChannel(this.config.default).write(e)}resolveChannel(e){if(this.channels.has(e))return this.channels.get(e);let t=this.config.channels[e];if(!t){let r=new He({driver:"console"});return this.channels.set(e,r),r}let s=this.createChannel(t);return this.channels.set(e,s),s}createChannel(e){switch(e.driver){case"console":return new He(e);case"file":return new sr(e);case"stack":return new rr(e,t=>this.resolveChannel(t));case"null":return new ir;default:return new He(e)}}},nr=class{constructor(e){this.channel=e}debug(e,t={}){this.channel.write({level:"debug",message:e,context:t,timestamp:O()})}info(e,t={}){this.channel.write({level:"info",message:e,context:t,timestamp:O()})}warn(e,t={}){this.channel.write({level:"warn",message:e,context:t,timestamp:O()})}error(e,t={}){this.channel.write({level:"error",message:e,context:t,timestamp:O()})}fatal(e,t={}){this.channel.write({level:"fatal",message:e,context:t,timestamp:O()})}};Gt=
|
|
138
|
+
`}await ao(this.path,t)}},rr=class{minLevel="debug";channelNames;resolver;constructor(e,t){this.channelNames=e.channels??[],this.resolver=t,this.minLevel=e.level??"debug"}async write(e){for(let t of this.channelNames){let s=this.resolver(t);s&&await s.write(e)}}},ir=class{minLevel="debug";write(){}},ar=class{config={default:"console",channels:{console:{driver:"console",level:"debug"}}};channels=new Map;configure(e){this.config=e,this.channels.clear()}channel(e){return new nr(this.resolveChannel(e))}debug(e,t={}){this.writeToDefault({level:"debug",message:e,context:t,timestamp:O()})}info(e,t={}){this.writeToDefault({level:"info",message:e,context:t,timestamp:O()})}warn(e,t={}){this.writeToDefault({level:"warn",message:e,context:t,timestamp:O()})}error(e,t={}){this.writeToDefault({level:"error",message:e,context:t,timestamp:O()})}fatal(e,t={}){this.writeToDefault({level:"fatal",message:e,context:t,timestamp:O()})}writeToDefault(e){this.resolveChannel(this.config.default).write(e)}resolveChannel(e){if(this.channels.has(e))return this.channels.get(e);let t=this.config.channels[e];if(!t){let r=new He({driver:"console"});return this.channels.set(e,r),r}let s=this.createChannel(t);return this.channels.set(e,s),s}createChannel(e){switch(e.driver){case"console":return new He(e);case"file":return new sr(e);case"stack":return new rr(e,t=>this.resolveChannel(t));case"null":return new ir;default:return new He(e)}}},nr=class{constructor(e){this.channel=e}debug(e,t={}){this.channel.write({level:"debug",message:e,context:t,timestamp:O()})}info(e,t={}){this.channel.write({level:"info",message:e,context:t,timestamp:O()})}warn(e,t={}){this.channel.write({level:"warn",message:e,context:t,timestamp:O()})}error(e,t={}){this.channel.write({level:"error",message:e,context:t,timestamp:O()})}fatal(e,t={}){this.channel.write({level:"fatal",message:e,context:t,timestamp:O()})}};Gt=P("svelar.log",()=>new ar)});function es(o,e){throw new N(o,e??lo(o))}function wi(o,e,t){o&&es(e,t)}function Ci(o,e,t){o||es(e,t)}function lo(o){return{400:"Bad request",401:"Unauthenticated",403:"Forbidden",404:"Not found",405:"Method not allowed",409:"Conflict",419:"Page expired",422:"Unprocessable entity",429:"Too many requests",500:"Internal server error",502:"Bad gateway",503:"Service unavailable",504:"Gateway timeout"}[o]??"An error occurred"}var N,Yt,lr,cr,Zt,Xt,ye,dr=w(()=>{"use strict";or();N=class extends Error{constructor(t,s,r){super(s);this.statusCode=t;this.details=r;this.name="HttpError"}},Yt=class extends N{constructor(e="The requested resource was not found"){super(404,e),this.name="NotFoundError"}},lr=class extends N{constructor(e="Unauthenticated"){super(401,e),this.name="UnauthorizedError"}},cr=class extends N{constructor(e="You do not have permission to perform this action"){super(403,e),this.name="ForbiddenError"}},Zt=class extends N{constructor(t,s="The given data was invalid"){super(422,s,{errors:t});this.errors=t;this.name="ValidationError"}},Xt=class extends Yt{constructor(e,t){super(t?`${e} with ID ${t} not found`:`${e} not found`),this.name="ModelNotFoundError"}};ye=class{config;constructor(e={}){this.config={debug:process.env.NODE_ENV!=="production",dontReport:[Zt,Yt,lr,cr],...e}}async handle(e,t){let s=e instanceof Error?e:new Error(String(e));return await this.reportError(s,t),this.config.render?this.config.render(s,t):this.renderError(s)}handleSvelteKitError(){return({error:e,event:t,status:s,message:r})=>{let i=e instanceof Error?e:new Error(String(e));return this.reportError(i,t),i instanceof N?{message:i.message,status:i.statusCode,...i.details??{},...this.config.debug?{stack:i.stack}:{}}:{message:this.config.debug?i.message:"An unexpected error occurred",status:s,...this.config.debug?{stack:i.stack}:{}}}}middleware(){let e=this;return async(t,s)=>{try{return await s()}catch(r){return e.handle(r,t.event)}}}async reportError(e,t){if(this.config.dontReport){for(let r of this.config.dontReport)if(e instanceof r)return}let s={error:e.name,...t?.url?{url:t.url.toString()}:{},...e.stack?{stack:e.stack}:{}};if(Gt.error(e.message,s),this.config.report)try{await this.config.report(e,t?{url:t.url?.toString()}:void 0)}catch{}}renderError(e){if(e instanceof N){let s={message:e.message};return e instanceof Zt&&(s.errors=e.errors),e.details&&Object.assign(s,e.details),this.config.debug&&(s.exception=e.name,s.stack=e.stack?.split(`
|
|
139
139
|
`).map(r=>r.trim())),new Response(JSON.stringify(s),{status:e.statusCode,headers:{"Content-Type":"application/json"}})}let t={message:this.config.debug?e.message:"Internal server error"};return this.config.debug&&(t.exception=e.name,t.stack=e.stack?.split(`
|
|
140
|
-
`).map(s=>s.trim())),new Response(JSON.stringify(t),{status:500,headers:{"Content-Type":"application/json"}})}}});function xi(o={}){let{auth:e,secret:t=(()=>{throw new Error("APP_KEY is not set. Pass `secret` to createSvelarApp() \u2014 e.g. secret: env.APP_KEY (from $env/dynamic/private).")})(),sessionStore:s,sessionLifetime:r=86400,rateLimit:i=100,rateLimitWindow:a=6e4,csrfPaths:n=["/api/"],csrfExcludePaths:l=["/api/webhooks"],authThrottleAttempts:c=5,authThrottleDecay:m=1,debug:p=process.env.NODE_ENV!=="production",middleware:h=[],namedMiddleware:u={},i18n:b,errorConfig:y={}}=o,v=[new ce,new oe({maxRequests:i,windowMs:a}),new le({onlyPaths:n,excludePaths:l}),new he({store:s??new V,secret:t,lifetime:r})];e&&v.push(new be(e)),v.push(...h);let x={"auth-throttle":new de({maxAttempts:c,decayMinutes:m}),...u},k=new ye({debug:p,...y}),A=ur({middleware:v,namedMiddleware:x,onError:(xe,Se)=>k.handle(xe,Se)}),I;if(b){let{paraglideMiddleware:xe,getTextDirection:Se=()=>"ltr"}=b;I=mr(async({event:_,resolve:We})=>xe(_.request,({request:bs,locale:Je})=>(_.request=bs,We(_,{transformPageChunk:({html:Ve})=>Ve.replace("%lang%",Je).replace("%dir%",Se(Je))}))),A)}else I=A;return{handle:I,handleError:k.handleSvelteKitError()}}function ur(o={}){let e=new H;if(o.middleware)for(let t of o.middleware)e.use(t);if(o.namedMiddleware)for(let[t,s]of Object.entries(o.namedMiddleware))e.register(t,s);return async function({event:s,resolve:r}){let i={event:s,params:s.params??{},locals:s.locals??{}};try{o.app&&!o.app.isBooted()&&await o.app.bootstrap();let a=await e.execute(i,async()=>r(s));return a instanceof Response?a:r(s)}catch(a){if(o.onError){let n=await o.onError(a,s);if(n instanceof Response)return n}return console.error("[Svelar] Unhandled error in hooks:",a),new Response(JSON.stringify({message:process.env.NODE_ENV==="production"?"Internal server error":a.message}),{status:500,headers:{"Content-Type":"application/json"}})}}}function mr(...o){return async function({event:t,resolve:s}){let r=s;for(let i=o.length-1;i>=0;i--){let a=o[i],n=r;r=l=>a({event:l,resolve:n})}return r(t)}}var pr=w(()=>{"use strict";ue();Us();tr();dr()});function Si(o,e){let t=process.env[o];return t===void 0?e!==void 0?e:"":t==="true"?!0:t==="false"?!1:t==="null"?null:/^\d+$/.test(t)?Number(t):t}var hr,Pi,Ri=w(()=>{"use strict";E();hr=class{items=new Map;clear(){this.items.clear()}load(e){for(let[t,s]of Object.entries(e))this.set(t,s)}async loadFromDirectory(e){let{resolve:t,basename:s,extname:r}=await import("path"),{existsSync:i,readdirSync:a}=await import("fs"),{pathToFileURL:n}=await import("url"),l=t(e);if(!i(l))return[];let c=a(l).filter(p=>(p.endsWith(".ts")||p.endsWith(".js"))&&!p.startsWith(".")),m=[];for(let p of c){let h=s(p,r(p)),u=t(l,p);try{let y=await import(n(u).href),v=y.default??y.config??y;v&&typeof v=="object"&&!Array.isArray(v)&&(this.set(h,v),m.push(h))}catch{}}return m}get(e,t){let s=e.split("."),r=this.items.get(s[0]);for(let i=1;i<s.length;i++){if(r==null)return t;r=r[s[i]]}return r??t}set(e,t){let s=e.split(".");if(s.length===1){this.items.set(e,t);return}let r=this.items.get(s[0]);(r===void 0||typeof r!="object")&&(r={},this.items.set(s[0],r));let i=r;for(let a=1;a<s.length-1;a++)(i[s[a]]===void 0||typeof i[s[a]]!="object")&&(i[s[a]]={}),i=i[s[a]];i[s[s.length-1]]=t}has(e){return this.get(e)!==void 0}all(){let e={};for(let[t,s]of this.items)e[t]=s;return e}},Pi=S("svelar.config",()=>new hr)});import{z as T}from"zod";function ki(o,e){let t=o.safeParse(e);if(t.success)return{success:!0,data:t.data};let s={};for(let r of t.error.issues){let i=r.path.length>0?r.path:["_root"],a=s;for(let l=0;l<i.length-1;l++){let c=i[l];c in a||(a[c]={}),a=a[c]}let n=i[i.length-1];a[n]||(a[n]=[]),a[n].push(r.message)}return{success:!1,errors:s}}var Ti,Ei=w(()=>{"use strict";Ti={required:()=>T.string().min(1,"This field is required"),email:()=>T.string().email("Must be a valid email address"),string:(o,e)=>{let t=T.string();return o!==void 0&&(t=t.min(o)),e!==void 0&&(t=t.max(e)),t},number:(o,e)=>{let t=T.number();return o!==void 0&&(t=t.min(o)),e!==void 0&&(t=t.max(e)),t},integer:()=>T.number().int(),boolean:()=>T.boolean(),date:()=>T.coerce.date(),url:()=>T.string().url(),uuid:()=>T.string().uuid(),enum:o=>T.enum(o),array:o=>T.array(o),nullable:o=>o.nullable(),optional:o=>o.optional(),confirmed:(o="password")=>T.object({[o]:T.string(),[`${o}_confirmation`]:T.string()}).refine(e=>e[o]===e[`${o}_confirmation`],{message:"Confirmation does not match",path:[`${o}_confirmation`]}),min:o=>T.number().min(o),max:o=>T.number().max(o),between:(o,e)=>T.number().min(o).max(e),regex:(o,e)=>T.string().regex(o,e),ip:()=>T.string().refine(o=>{let e=o.split(".");return e.length!==4?!1:e.every(t=>{let s=Number(t);return Number.isInteger(s)&&s>=0&&s<=255})},{message:"Must be a valid IP address"}),json:()=>T.string().refine(o=>{try{return JSON.parse(o),!0}catch{return!1}},{message:"Must be valid JSON"})}});var $i={};L($i,{FormAuthorizationError:()=>G,FormRequest:()=>ve,FormValidationError:()=>Q});var ve,Q,G,ts=w(()=>{"use strict";ve=class{authorize(e){return!0}messages(){return{}}attributes(){return{}}passedValidation(e){return e}failedValidation(e){throw new Q(e)}failedAuthorization(){throw new G}async parseBody(e){let t=e.request.headers.get("content-type")??"";if(t.includes("application/json"))return e.request.json();if(t.includes("multipart/form-data")||t.includes("application/x-www-form-urlencoded")){let s=await e.request.formData();return Object.fromEntries(s)}return Object.fromEntries(e.url.searchParams)}static async validate(e){let t=new this;await t.authorize(e)||t.failedAuthorization();let r=await t.parseBody(e),i={...Object.fromEntries(e.url.searchParams),...e.params,...r},n=t.rules().safeParse(i);if(!n.success){let l={},c=t.messages(),m=t.attributes();for(let p of n.error.issues){let h=p.path.join("."),u=m[h]??h;l[u]||(l[u]=[]);let b=`${h}.${p.code}`,y=c[b]??c[h];l[u].push(y??p.message)}t.failedValidation(l)}return t.passedValidation(n.data)}},Q=class extends Error{constructor(t){super("The given data was invalid.");this.errors=t;this.name="FormValidationError"}statusCode=422;toResponse(){return new Response(JSON.stringify({message:this.message,errors:this.errors}),{status:422,headers:{"Content-Type":"application/json"}})}},G=class extends Error{statusCode=403;constructor(e="This action is unauthorized."){super(e),this.name="FormAuthorizationError"}toResponse(){return new Response(JSON.stringify({message:this.message}),{status:403,headers:{"Content-Type":"application/json"}})}}});import{readFile as Ai,writeFile as co,unlink as uo,mkdir as ze,readdir as gr,stat as Di,copyFile as mo,rename as po}from"fs/promises";import{existsSync as ho}from"fs";import{join as go,dirname as ss}from"path";var fr,rs,br,Li,_i=w(()=>{"use strict";E();fr=class{constructor(e){this.config=e;if(!e.root)throw new Error('Local disk requires a "root" path.')}resolve(e){return go(this.config.root,e)}async get(e){return Ai(this.resolve(e))}async getText(e){return Ai(this.resolve(e),"utf-8")}async put(e,t){let s=this.resolve(e);await ze(ss(s),{recursive:!0}),await co(s,t)}async append(e,t){let{appendFile:s}=await import("fs/promises"),r=this.resolve(e);await ze(ss(r),{recursive:!0}),await s(r,t)}async exists(e){return ho(this.resolve(e))}async delete(e){try{return await uo(this.resolve(e)),!0}catch{return!1}}async copy(e,t){let s=this.resolve(t);await ze(ss(s),{recursive:!0}),await mo(this.resolve(e),s)}async move(e,t){let s=this.resolve(t);await ze(ss(s),{recursive:!0}),await po(this.resolve(e),s)}async files(e=""){let t=this.resolve(e);try{return(await gr(t,{withFileTypes:!0})).filter(r=>r.isFile()).map(r=>e?`${e}/${r.name}`:r.name)}catch{return[]}}async allFiles(e=""){let t=[],s=this.resolve(e);try{let r=await gr(s,{withFileTypes:!0});for(let i of r){let a=e?`${e}/${i.name}`:i.name;i.isFile()?t.push(a):i.isDirectory()&&t.push(...await this.allFiles(a))}}catch{}return t}async directories(e=""){let t=this.resolve(e);try{return(await gr(t,{withFileTypes:!0})).filter(r=>r.isDirectory()).map(r=>e?`${e}/${r.name}`:r.name)}catch{return[]}}async makeDirectory(e){await ze(this.resolve(e),{recursive:!0})}async deleteDirectory(e){let{rm:t}=await import("fs/promises");await t(this.resolve(e),{recursive:!0,force:!0})}async size(e){return(await Di(this.resolve(e))).size}async lastModified(e){return(await Di(this.resolve(e))).mtime}url(e){return`${this.config.urlPrefix??""}/${e}`}},rs=class{config;_client=null;_s3Module=null;constructor(e){if(!e.bucket)throw new Error('S3 disk requires a "bucket" name.');this.config=e}async getS3(){if(this._s3Module)return this._s3Module;try{return this._s3Module=await Function('return import("@aws-sdk/client-s3")')(),this._s3Module}catch{throw new Error("S3 storage driver requires @aws-sdk/client-s3. Install it with: npm install @aws-sdk/client-s3")}}async getClient(){if(this._client)return this._client;let e=await this.getS3();return this._client=new e.S3Client({region:this.config.region??"us-east-1",endpoint:this.config.endpoint,forcePathStyle:this.config.forcePathStyle??!0,credentials:{accessKeyId:this.config.accessKeyId??"",secretAccessKey:this.config.secretAccessKey??""}}),this._client}key(e){let t=this.config.prefix;return t?`${t}/${e}`:e}async get(e){let t=await this.getS3(),i=await(await(await this.getClient()).send(new t.GetObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).Body.transformToByteArray();return Buffer.from(i)}async getText(e){return(await this.get(e)).toString("utf-8")}async put(e,t){let s=await this.getS3(),r=await this.getClient(),i=typeof t=="string"?Buffer.from(t,"utf-8"):t;await r.send(new s.PutObjectCommand({Bucket:this.config.bucket,Key:this.key(e),Body:i}))}async append(e,t){let s=null;try{s=await this.get(e)}catch{}let r=typeof t=="string"?Buffer.from(t,"utf-8"):t,i=s?Buffer.concat([s,r]):r;await this.put(e,i)}async exists(e){let t=await this.getS3(),s=await this.getClient();try{return await s.send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)})),!0}catch{return!1}}async delete(e){let t=await this.getS3(),s=await this.getClient();try{return await s.send(new t.DeleteObjectCommand({Bucket:this.config.bucket,Key:this.key(e)})),!0}catch{return!1}}async copy(e,t){let s=await this.getS3();await(await this.getClient()).send(new s.CopyObjectCommand({Bucket:this.config.bucket,CopySource:`${this.config.bucket}/${this.key(e)}`,Key:this.key(t)}))}async move(e,t){await this.copy(e,t),await this.delete(e)}async files(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:"");try{return((await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,Delimiter:"/"}))).Contents??[]).map(a=>a.Key).filter(a=>a!==r).map(a=>{let n=this.config.prefix;return n?a.slice(n.length+1):a})}catch{return[]}}async allFiles(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:""),i=[],a;do{let n=await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,ContinuationToken:a}));for(let l of n.Contents??[]){let c=this.config.prefix,m=c?l.Key.slice(c.length+1):l.Key;m&&i.push(m)}a=n.IsTruncated?n.NextContinuationToken:void 0}while(a);return i}async directories(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:"");try{return((await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,Delimiter:"/"}))).CommonPrefixes??[]).map(a=>{let n=this.config.prefix;return(n?a.Prefix.slice(n.length+1):a.Prefix).replace(/\/$/,"")}).filter(a=>a.length>0)}catch{return[]}}async makeDirectory(e){}async deleteDirectory(e){let t=await this.allFiles(e);for(let s of t)await this.delete(s)}async size(e){let t=await this.getS3();return(await(await this.getClient()).send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).ContentLength??0}async lastModified(e){let t=await this.getS3();return(await(await this.getClient()).send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).LastModified??new Date}url(e){let t=this.config.urlPrefix;if(t)return`${t}/${e}`;let s=this.config.endpoint??`https://s3.${this.config.region??"us-east-1"}.amazonaws.com`;return this.config.forcePathStyle!==!1?`${s}/${this.config.bucket}/${this.key(e)}`:`${s.replace("://",`://${this.config.bucket}.`)}/${this.key(e)}`}async temporaryUrl(e,t=3600){try{let s=await Function('return import("@aws-sdk/s3-request-presigner")')(),r=await this.getS3(),i=await this.getClient(),a=new r.GetObjectCommand({Bucket:this.config.bucket,Key:this.key(e)});return await s.getSignedUrl(i,a,{expiresIn:t})}catch{throw new Error("Pre-signed URLs require @aws-sdk/s3-request-presigner. Install it with: npm install @aws-sdk/s3-request-presigner")}}async ensureBucket(){let e=await this.getS3(),t=await this.getClient();try{await t.send(new e.HeadBucketCommand({Bucket:this.config.bucket}))}catch{await t.send(new e.CreateBucketCommand({Bucket:this.config.bucket}))}}},br=class{config=null;disks=new Map;configure(e){this.config=e}disk(e){let t=e??this.config?.default??"local";if(this.disks.has(t))return this.disks.get(t);if(!this.config)throw new Error("Storage not configured. Call Storage.configure() first.");let s=this.config.disks[t];if(!s)throw new Error(`Storage disk "${t}" is not defined.`);let r=this.createDisk(s);return this.disks.set(t,r),r}async get(e){return this.disk().get(e)}async getText(e){return this.disk().getText(e)}async put(e,t){return this.disk().put(e,t)}async append(e,t){return this.disk().append(e,t)}async exists(e){return this.disk().exists(e)}async delete(e){return this.disk().delete(e)}async copy(e,t){return this.disk().copy(e,t)}async move(e,t){return this.disk().move(e,t)}async files(e){return this.disk().files(e)}async allFiles(e){return this.disk().allFiles(e)}async directories(e){return this.disk().directories(e)}async makeDirectory(e){return this.disk().makeDirectory(e)}async deleteDirectory(e){return this.disk().deleteDirectory(e)}async size(e){return this.disk().size(e)}async lastModified(e){return this.disk().lastModified(e)}url(e){return this.disk().url(e)}createDisk(e){switch(e.driver){case"local":return new fr(e);case"s3":return new rs(e);default:throw new Error(`Unknown storage driver: ${e.driver}`)}}s3Disk(e){let t=this.disk(e);if(!(t instanceof rs))throw new Error(`Disk "${e??this.config?.default}" is not an S3 disk.`);return t}},Li=S("svelar.storage",()=>new br)});import{readFile as fo,writeFile as bo,unlink as Mi,mkdir as Ni}from"fs/promises";import{join as yo,dirname as vo}from"path";import{createHash as wo}from"crypto";var yr,vr,wr,Cr,Ii,ji=w(()=>{"use strict";E();yr=class{store=new Map;async get(e){let t=this.store.get(e);return t?t.expiresAt&&Date.now()>t.expiresAt?(this.store.delete(e),null):t.value:null}async put(e,t,s){this.store.set(e,{value:t,expiresAt:s?Date.now()+s*1e3:null})}async forget(e){return this.store.delete(e)}async flush(){this.store.clear()}async has(e){let t=this.store.get(e);return t?t.expiresAt&&Date.now()>t.expiresAt?(this.store.delete(e),!1):!0:!1}async increment(e,t=1){let r=(await this.get(e)??0)+t,i=this.store.get(e);return await this.put(e,r,i?.expiresAt?Math.ceil((i.expiresAt-Date.now())/1e3):void 0),r}async decrement(e,t=1){return this.increment(e,-t)}},vr=class{basePath;constructor(e){this.basePath=e.path??"storage/cache"}filePath(e){let t=wo("md5").update(e).digest("hex");return yo(this.basePath,t.slice(0,2),t)}async get(e){let t=this.filePath(e);try{let s=await fo(t,"utf-8"),r=JSON.parse(s);return r.expiresAt&&Date.now()>r.expiresAt?(await Mi(t).catch(()=>{}),null):r.value}catch{return null}}async put(e,t,s){let r=this.filePath(e),i={value:t,expiresAt:s?Date.now()+s*1e3:null};await Ni(vo(r),{recursive:!0}),await bo(r,JSON.stringify(i))}async forget(e){try{return await Mi(this.filePath(e)),!0}catch{return!1}}async flush(){let{rm:e}=await import("fs/promises");await e(this.basePath,{recursive:!0,force:!0}),await Ni(this.basePath,{recursive:!0})}async has(e){return await this.get(e)!==null}async increment(e,t=1){let r=(await this.get(e)??0)+t;return await this.put(e,r),r}async decrement(e,t=1){return this.increment(e,-t)}},wr=class{async get(){return null}async put(){}async forget(){return!0}async flush(){}async has(){return!1}async increment(){return 0}async decrement(){return 0}},Cr=class{config={default:"memory",stores:{memory:{driver:"memory"}}};stores=new Map;configure(e){this.config=e,this.stores.clear()}store(e){let t=e??this.config.default;if(this.stores.has(t))return this.stores.get(t);let s=this.config.stores[t];if(!s)throw new Error(`Cache store "${t}" is not defined.`);let r=this.createStore(s);return this.stores.set(t,r),r}async get(e,t){let s=this.store();return await s.has(e)?s.get(e):t??null}async put(e,t,s){return this.store().put(e,t,s??this.config.stores[this.config.default]?.ttl)}async forget(e){return this.store().forget(e)}async flush(){return this.store().flush()}async has(e){return this.store().has(e)}async increment(e,t){return this.store().increment(e,t)}async decrement(e,t){return this.store().decrement(e,t)}async remember(e,t,s){let r=await this.store().get(e);if(r!==null)return r;let i=await s();return await this.store().put(e,i,t),i}async rememberForever(e,t){let s=await this.store().get(e);if(s!==null)return s;let r=await t();return await this.store().put(e,r),r}async pull(e,t){let s=await this.get(e,t);return await this.forget(e),s}createStore(e){switch(e.driver){case"memory":return new yr;case"file":return new vr(e);case"null":return new wr;case"redis":throw new Error("Redis cache requires ioredis. Install: npm install ioredis");default:throw new Error(`Unknown cache driver: ${e.driver}`)}}},Ii=S("svelar.cache",()=>new Cr)});var is,xr,Sr,Pr,Oi,qi=w(()=>{"use strict";E();is=class{},xr=class{async send(e,t){if(!t.toMail)return;let s=t.toMail(e),r=e.routeNotificationForMail?.()??e.getAttribute("email");if(!r){console.warn("[Notifications] No email address for notifiable.");return}try{let{Mailer:i}=await Promise.resolve().then(()=>(Wt(),Zs));await i.send({to:r,subject:s.subject,html:s.html,text:s.text,from:s.from})}catch(i){console.error("[Notifications] Failed to send mail notification:",i)}}},Sr=class{table;constructor(e="notifications"){this.table=e}async send(e,t){if(!t.toDatabase)return;let s=t.toDatabase(e);try{let{Connection:r}=await Promise.resolve().then(()=>(P(),R));await r.raw(`INSERT INTO ${this.table} (id, notifiable_id, type, data, read_at, created_at)
|
|
141
|
-
VALUES (?, ?, ?, ?, NULL, ?)`,[crypto.randomUUID(),e.getAttribute("id"),s.type,JSON.stringify(s.data),new Date().toISOString()])}catch(r){console.error("[Notifications] Failed to store database notification:",r)}}},
|
|
140
|
+
`).map(s=>s.trim())),new Response(JSON.stringify(t),{status:500,headers:{"Content-Type":"application/json"}})}}});function xi(o={}){let{auth:e,secret:t=(()=>{throw new Error("APP_KEY is not set. Pass `secret` to createSvelarApp() \u2014 e.g. secret: env.APP_KEY (from $env/dynamic/private).")})(),sessionStore:s,sessionLifetime:r=86400,rateLimit:i=100,rateLimitWindow:a=6e4,csrfPaths:n=["/api/"],csrfExcludePaths:l=["/api/webhooks"],authThrottleAttempts:c=5,authThrottleDecay:m=1,debug:p=process.env.NODE_ENV!=="production",middleware:h=[],namedMiddleware:u={},i18n:b,errorConfig:y={}}=o,v=[new ce,new oe({maxRequests:i,windowMs:a}),new le({onlyPaths:n,excludePaths:l}),new he({store:s??new V,secret:t,lifetime:r})];e&&v.push(new be(e)),v.push(...h);let x={"auth-throttle":new de({maxAttempts:c,decayMinutes:m}),...u},E=new ye({debug:p,...y}),A=ur({middleware:v,namedMiddleware:x,onError:(xe,Pe)=>E.handle(xe,Pe)}),I;if(b){let{paraglideMiddleware:xe,getTextDirection:Pe=()=>"ltr"}=b;I=mr(async({event:_,resolve:We})=>xe(_.request,({request:bs,locale:Je})=>(_.request=bs,We(_,{transformPageChunk:({html:Ve})=>Ve.replace("%lang%",Je).replace("%dir%",Pe(Je))}))),A)}else I=A;return{handle:I,handleError:E.handleSvelteKitError()}}function ur(o={}){let e=new H;if(o.middleware)for(let t of o.middleware)e.use(t);if(o.namedMiddleware)for(let[t,s]of Object.entries(o.namedMiddleware))e.register(t,s);return async function({event:s,resolve:r}){let i={event:s,params:s.params??{},locals:s.locals??{}};try{o.app&&!o.app.isBooted()&&await o.app.bootstrap();let a=await e.execute(i,async()=>r(s));return a instanceof Response?a:r(s)}catch(a){if(o.onError){let n=await o.onError(a,s);if(n instanceof Response)return n}return console.error("[Svelar] Unhandled error in hooks:",a),new Response(JSON.stringify({message:process.env.NODE_ENV==="production"?"Internal server error":a.message}),{status:500,headers:{"Content-Type":"application/json"}})}}}function mr(...o){return async function({event:t,resolve:s}){let r=s;for(let i=o.length-1;i>=0;i--){let a=o[i],n=r;r=l=>a({event:l,resolve:n})}return r(t)}}var pr=w(()=>{"use strict";ue();Us();tr();dr()});function Pi(o,e){let t=process.env[o];return t===void 0?e!==void 0?e:"":t==="true"?!0:t==="false"?!1:t==="null"?null:/^\d+$/.test(t)?Number(t):t}var hr,Si,Ri=w(()=>{"use strict";k();hr=class{items=new Map;clear(){this.items.clear()}load(e){for(let[t,s]of Object.entries(e))this.set(t,s)}async loadFromDirectory(e){let{resolve:t,basename:s,extname:r}=await import("path"),{existsSync:i,readdirSync:a}=await import("fs"),{pathToFileURL:n}=await import("url"),l=t(e);if(!i(l))return[];let c=a(l).filter(p=>(p.endsWith(".ts")||p.endsWith(".js"))&&!p.startsWith(".")),m=[];for(let p of c){let h=s(p,r(p)),u=t(l,p);try{let y=await import(n(u).href),v=y.default??y.config??y;v&&typeof v=="object"&&!Array.isArray(v)&&(this.set(h,v),m.push(h))}catch{}}return m}get(e,t){let s=e.split("."),r=this.items.get(s[0]);for(let i=1;i<s.length;i++){if(r==null)return t;r=r[s[i]]}return r??t}set(e,t){let s=e.split(".");if(s.length===1){this.items.set(e,t);return}let r=this.items.get(s[0]);(r===void 0||typeof r!="object")&&(r={},this.items.set(s[0],r));let i=r;for(let a=1;a<s.length-1;a++)(i[s[a]]===void 0||typeof i[s[a]]!="object")&&(i[s[a]]={}),i=i[s[a]];i[s[s.length-1]]=t}has(e){return this.get(e)!==void 0}all(){let e={};for(let[t,s]of this.items)e[t]=s;return e}},Si=P("svelar.config",()=>new hr)});import{z as T}from"zod";function Ei(o,e){let t=o.safeParse(e);if(t.success)return{success:!0,data:t.data};let s={};for(let r of t.error.issues){let i=r.path.length>0?r.path:["_root"],a=s;for(let l=0;l<i.length-1;l++){let c=i[l];c in a||(a[c]={}),a=a[c]}let n=i[i.length-1];a[n]||(a[n]=[]),a[n].push(r.message)}return{success:!1,errors:s}}var Ti,ki=w(()=>{"use strict";Ti={required:()=>T.string().min(1,"This field is required"),email:()=>T.string().email("Must be a valid email address"),string:(o,e)=>{let t=T.string();return o!==void 0&&(t=t.min(o)),e!==void 0&&(t=t.max(e)),t},number:(o,e)=>{let t=T.number();return o!==void 0&&(t=t.min(o)),e!==void 0&&(t=t.max(e)),t},integer:()=>T.number().int(),boolean:()=>T.boolean(),date:()=>T.coerce.date(),url:()=>T.string().url(),uuid:()=>T.string().uuid(),enum:o=>T.enum(o),array:o=>T.array(o),nullable:o=>o.nullable(),optional:o=>o.optional(),confirmed:(o="password")=>T.object({[o]:T.string(),[`${o}_confirmation`]:T.string()}).refine(e=>e[o]===e[`${o}_confirmation`],{message:"Confirmation does not match",path:[`${o}_confirmation`]}),min:o=>T.number().min(o),max:o=>T.number().max(o),between:(o,e)=>T.number().min(o).max(e),regex:(o,e)=>T.string().regex(o,e),ip:()=>T.string().refine(o=>{let e=o.split(".");return e.length!==4?!1:e.every(t=>{let s=Number(t);return Number.isInteger(s)&&s>=0&&s<=255})},{message:"Must be a valid IP address"}),json:()=>T.string().refine(o=>{try{return JSON.parse(o),!0}catch{return!1}},{message:"Must be valid JSON"})}});var $i={};L($i,{FormAuthorizationError:()=>G,FormRequest:()=>ve,FormValidationError:()=>Q});var ve,Q,G,ts=w(()=>{"use strict";ve=class{authorize(e){return!0}messages(){return{}}attributes(){return{}}passedValidation(e){return e}failedValidation(e){throw new Q(e)}failedAuthorization(){throw new G}async parseBody(e){let t=e.request.headers.get("content-type")??"";if(t.includes("application/json"))return e.request.json();if(t.includes("multipart/form-data")||t.includes("application/x-www-form-urlencoded")){let s=await e.request.formData();return Object.fromEntries(s)}return Object.fromEntries(e.url.searchParams)}static async validate(e){let t=new this;await t.authorize(e)||t.failedAuthorization();let r=await t.parseBody(e),i={...Object.fromEntries(e.url.searchParams),...e.params,...r},n=t.rules().safeParse(i);if(!n.success){let l={},c=t.messages(),m=t.attributes();for(let p of n.error.issues){let h=p.path.join("."),u=m[h]??h;l[u]||(l[u]=[]);let b=`${h}.${p.code}`,y=c[b]??c[h];l[u].push(y??p.message)}t.failedValidation(l)}return t.passedValidation(n.data)}},Q=class extends Error{constructor(t){super("The given data was invalid.");this.errors=t;this.name="FormValidationError"}statusCode=422;toResponse(){return new Response(JSON.stringify({message:this.message,errors:this.errors}),{status:422,headers:{"Content-Type":"application/json"}})}},G=class extends Error{statusCode=403;constructor(e="This action is unauthorized."){super(e),this.name="FormAuthorizationError"}toResponse(){return new Response(JSON.stringify({message:this.message}),{status:403,headers:{"Content-Type":"application/json"}})}}});import{readFile as Ai,writeFile as co,unlink as uo,mkdir as ze,readdir as gr,stat as Di,copyFile as mo,rename as po}from"fs/promises";import{existsSync as ho}from"fs";import{join as go,dirname as ss}from"path";var fr,rs,br,Li,_i=w(()=>{"use strict";k();fr=class{constructor(e){this.config=e;if(!e.root)throw new Error('Local disk requires a "root" path.')}resolve(e){return go(this.config.root,e)}async get(e){return Ai(this.resolve(e))}async getText(e){return Ai(this.resolve(e),"utf-8")}async put(e,t){let s=this.resolve(e);await ze(ss(s),{recursive:!0}),await co(s,t)}async append(e,t){let{appendFile:s}=await import("fs/promises"),r=this.resolve(e);await ze(ss(r),{recursive:!0}),await s(r,t)}async exists(e){return ho(this.resolve(e))}async delete(e){try{return await uo(this.resolve(e)),!0}catch{return!1}}async copy(e,t){let s=this.resolve(t);await ze(ss(s),{recursive:!0}),await mo(this.resolve(e),s)}async move(e,t){let s=this.resolve(t);await ze(ss(s),{recursive:!0}),await po(this.resolve(e),s)}async files(e=""){let t=this.resolve(e);try{return(await gr(t,{withFileTypes:!0})).filter(r=>r.isFile()).map(r=>e?`${e}/${r.name}`:r.name)}catch{return[]}}async allFiles(e=""){let t=[],s=this.resolve(e);try{let r=await gr(s,{withFileTypes:!0});for(let i of r){let a=e?`${e}/${i.name}`:i.name;i.isFile()?t.push(a):i.isDirectory()&&t.push(...await this.allFiles(a))}}catch{}return t}async directories(e=""){let t=this.resolve(e);try{return(await gr(t,{withFileTypes:!0})).filter(r=>r.isDirectory()).map(r=>e?`${e}/${r.name}`:r.name)}catch{return[]}}async makeDirectory(e){await ze(this.resolve(e),{recursive:!0})}async deleteDirectory(e){let{rm:t}=await import("fs/promises");await t(this.resolve(e),{recursive:!0,force:!0})}async size(e){return(await Di(this.resolve(e))).size}async lastModified(e){return(await Di(this.resolve(e))).mtime}url(e){return`${this.config.urlPrefix??""}/${e}`}},rs=class{config;_client=null;_s3Module=null;constructor(e){if(!e.bucket)throw new Error('S3 disk requires a "bucket" name.');this.config=e}async getS3(){if(this._s3Module)return this._s3Module;try{return this._s3Module=await Function('return import("@aws-sdk/client-s3")')(),this._s3Module}catch{throw new Error("S3 storage driver requires @aws-sdk/client-s3. Install it with: npm install @aws-sdk/client-s3")}}async getClient(){if(this._client)return this._client;let e=await this.getS3();return this._client=new e.S3Client({region:this.config.region??"us-east-1",endpoint:this.config.endpoint,forcePathStyle:this.config.forcePathStyle??!0,credentials:{accessKeyId:this.config.accessKeyId??"",secretAccessKey:this.config.secretAccessKey??""}}),this._client}key(e){let t=this.config.prefix;return t?`${t}/${e}`:e}async get(e){let t=await this.getS3(),i=await(await(await this.getClient()).send(new t.GetObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).Body.transformToByteArray();return Buffer.from(i)}async getText(e){return(await this.get(e)).toString("utf-8")}async put(e,t){let s=await this.getS3(),r=await this.getClient(),i=typeof t=="string"?Buffer.from(t,"utf-8"):t;await r.send(new s.PutObjectCommand({Bucket:this.config.bucket,Key:this.key(e),Body:i}))}async append(e,t){let s=null;try{s=await this.get(e)}catch{}let r=typeof t=="string"?Buffer.from(t,"utf-8"):t,i=s?Buffer.concat([s,r]):r;await this.put(e,i)}async exists(e){let t=await this.getS3(),s=await this.getClient();try{return await s.send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)})),!0}catch{return!1}}async delete(e){let t=await this.getS3(),s=await this.getClient();try{return await s.send(new t.DeleteObjectCommand({Bucket:this.config.bucket,Key:this.key(e)})),!0}catch{return!1}}async copy(e,t){let s=await this.getS3();await(await this.getClient()).send(new s.CopyObjectCommand({Bucket:this.config.bucket,CopySource:`${this.config.bucket}/${this.key(e)}`,Key:this.key(t)}))}async move(e,t){await this.copy(e,t),await this.delete(e)}async files(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:"");try{return((await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,Delimiter:"/"}))).Contents??[]).map(a=>a.Key).filter(a=>a!==r).map(a=>{let n=this.config.prefix;return n?a.slice(n.length+1):a})}catch{return[]}}async allFiles(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:""),i=[],a;do{let n=await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,ContinuationToken:a}));for(let l of n.Contents??[]){let c=this.config.prefix,m=c?l.Key.slice(c.length+1):l.Key;m&&i.push(m)}a=n.IsTruncated?n.NextContinuationToken:void 0}while(a);return i}async directories(e=""){let t=await this.getS3(),s=await this.getClient(),r=this.key(e?`${e}/`:"");try{return((await s.send(new t.ListObjectsV2Command({Bucket:this.config.bucket,Prefix:r,Delimiter:"/"}))).CommonPrefixes??[]).map(a=>{let n=this.config.prefix;return(n?a.Prefix.slice(n.length+1):a.Prefix).replace(/\/$/,"")}).filter(a=>a.length>0)}catch{return[]}}async makeDirectory(e){}async deleteDirectory(e){let t=await this.allFiles(e);for(let s of t)await this.delete(s)}async size(e){let t=await this.getS3();return(await(await this.getClient()).send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).ContentLength??0}async lastModified(e){let t=await this.getS3();return(await(await this.getClient()).send(new t.HeadObjectCommand({Bucket:this.config.bucket,Key:this.key(e)}))).LastModified??new Date}url(e){let t=this.config.urlPrefix;if(t)return`${t}/${e}`;let s=this.config.endpoint??`https://s3.${this.config.region??"us-east-1"}.amazonaws.com`;return this.config.forcePathStyle!==!1?`${s}/${this.config.bucket}/${this.key(e)}`:`${s.replace("://",`://${this.config.bucket}.`)}/${this.key(e)}`}async temporaryUrl(e,t=3600){try{let s=await Function('return import("@aws-sdk/s3-request-presigner")')(),r=await this.getS3(),i=await this.getClient(),a=new r.GetObjectCommand({Bucket:this.config.bucket,Key:this.key(e)});return await s.getSignedUrl(i,a,{expiresIn:t})}catch{throw new Error("Pre-signed URLs require @aws-sdk/s3-request-presigner. Install it with: npm install @aws-sdk/s3-request-presigner")}}async ensureBucket(){let e=await this.getS3(),t=await this.getClient();try{await t.send(new e.HeadBucketCommand({Bucket:this.config.bucket}))}catch{await t.send(new e.CreateBucketCommand({Bucket:this.config.bucket}))}}},br=class{config=null;disks=new Map;configure(e){this.config=e}disk(e){let t=e??this.config?.default??"local";if(this.disks.has(t))return this.disks.get(t);if(!this.config)throw new Error("Storage not configured. Call Storage.configure() first.");let s=this.config.disks[t];if(!s)throw new Error(`Storage disk "${t}" is not defined.`);let r=this.createDisk(s);return this.disks.set(t,r),r}async get(e){return this.disk().get(e)}async getText(e){return this.disk().getText(e)}async put(e,t){return this.disk().put(e,t)}async append(e,t){return this.disk().append(e,t)}async exists(e){return this.disk().exists(e)}async delete(e){return this.disk().delete(e)}async copy(e,t){return this.disk().copy(e,t)}async move(e,t){return this.disk().move(e,t)}async files(e){return this.disk().files(e)}async allFiles(e){return this.disk().allFiles(e)}async directories(e){return this.disk().directories(e)}async makeDirectory(e){return this.disk().makeDirectory(e)}async deleteDirectory(e){return this.disk().deleteDirectory(e)}async size(e){return this.disk().size(e)}async lastModified(e){return this.disk().lastModified(e)}url(e){return this.disk().url(e)}createDisk(e){switch(e.driver){case"local":return new fr(e);case"s3":return new rs(e);default:throw new Error(`Unknown storage driver: ${e.driver}`)}}s3Disk(e){let t=this.disk(e);if(!(t instanceof rs))throw new Error(`Disk "${e??this.config?.default}" is not an S3 disk.`);return t}},Li=P("svelar.storage",()=>new br)});import{readFile as fo,writeFile as bo,unlink as Mi,mkdir as Ni}from"fs/promises";import{join as yo,dirname as vo}from"path";import{createHash as wo}from"crypto";var yr,vr,wr,Cr,Ii,ji=w(()=>{"use strict";k();yr=class{store=new Map;async get(e){let t=this.store.get(e);return t?t.expiresAt&&Date.now()>t.expiresAt?(this.store.delete(e),null):t.value:null}async put(e,t,s){this.store.set(e,{value:t,expiresAt:s?Date.now()+s*1e3:null})}async forget(e){return this.store.delete(e)}async flush(){this.store.clear()}async has(e){let t=this.store.get(e);return t?t.expiresAt&&Date.now()>t.expiresAt?(this.store.delete(e),!1):!0:!1}async increment(e,t=1){let r=(await this.get(e)??0)+t,i=this.store.get(e);return await this.put(e,r,i?.expiresAt?Math.ceil((i.expiresAt-Date.now())/1e3):void 0),r}async decrement(e,t=1){return this.increment(e,-t)}},vr=class{basePath;constructor(e){this.basePath=e.path??"storage/cache"}filePath(e){let t=wo("md5").update(e).digest("hex");return yo(this.basePath,t.slice(0,2),t)}async get(e){let t=this.filePath(e);try{let s=await fo(t,"utf-8"),r=JSON.parse(s);return r.expiresAt&&Date.now()>r.expiresAt?(await Mi(t).catch(()=>{}),null):r.value}catch{return null}}async put(e,t,s){let r=this.filePath(e),i={value:t,expiresAt:s?Date.now()+s*1e3:null};await Ni(vo(r),{recursive:!0}),await bo(r,JSON.stringify(i))}async forget(e){try{return await Mi(this.filePath(e)),!0}catch{return!1}}async flush(){let{rm:e}=await import("fs/promises");await e(this.basePath,{recursive:!0,force:!0}),await Ni(this.basePath,{recursive:!0})}async has(e){return await this.get(e)!==null}async increment(e,t=1){let r=(await this.get(e)??0)+t;return await this.put(e,r),r}async decrement(e,t=1){return this.increment(e,-t)}},wr=class{async get(){return null}async put(){}async forget(){return!0}async flush(){}async has(){return!1}async increment(){return 0}async decrement(){return 0}},Cr=class{config={default:"memory",stores:{memory:{driver:"memory"}}};stores=new Map;configure(e){this.config=e,this.stores.clear()}store(e){let t=e??this.config.default;if(this.stores.has(t))return this.stores.get(t);let s=this.config.stores[t];if(!s)throw new Error(`Cache store "${t}" is not defined.`);let r=this.createStore(s);return this.stores.set(t,r),r}async get(e,t){let s=this.store();return await s.has(e)?s.get(e):t??null}async put(e,t,s){return this.store().put(e,t,s??this.config.stores[this.config.default]?.ttl)}async forget(e){return this.store().forget(e)}async flush(){return this.store().flush()}async has(e){return this.store().has(e)}async increment(e,t){return this.store().increment(e,t)}async decrement(e,t){return this.store().decrement(e,t)}async remember(e,t,s){let r=await this.store().get(e);if(r!==null)return r;let i=await s();return await this.store().put(e,i,t),i}async rememberForever(e,t){let s=await this.store().get(e);if(s!==null)return s;let r=await t();return await this.store().put(e,r),r}async pull(e,t){let s=await this.get(e,t);return await this.forget(e),s}createStore(e){switch(e.driver){case"memory":return new yr;case"file":return new vr(e);case"null":return new wr;case"redis":throw new Error("Redis cache requires ioredis. Install: npm install ioredis");default:throw new Error(`Unknown cache driver: ${e.driver}`)}}},Ii=P("svelar.cache",()=>new Cr)});var is,xr,Pr,Sr,Oi,qi=w(()=>{"use strict";k();is=class{},xr=class{async send(e,t){if(!t.toMail)return;let s=t.toMail(e),r=e.routeNotificationForMail?.()??e.getAttribute("email");if(!r){console.warn("[Notifications] No email address for notifiable.");return}try{let{Mailer:i}=await Promise.resolve().then(()=>(Wt(),Zs));await i.send({to:r,subject:s.subject,html:s.html,text:s.text,from:s.from})}catch(i){console.error("[Notifications] Failed to send mail notification:",i)}}},Pr=class{table;constructor(e="notifications"){this.table=e}async send(e,t){if(!t.toDatabase)return;let s=t.toDatabase(e);try{let{Connection:r}=await Promise.resolve().then(()=>(S(),R));await r.raw(`INSERT INTO ${this.table} (id, notifiable_id, type, data, read_at, created_at)
|
|
141
|
+
VALUES (?, ?, ?, ?, NULL, ?)`,[crypto.randomUUID(),e.getAttribute("id"),s.type,JSON.stringify(s.data),new Date().toISOString()])}catch(r){console.error("[Notifications] Failed to store database notification:",r)}}},Sr=class{channels=new Map;constructor(){this.channels.set("mail",new xr),this.channels.set("database",new Pr)}extend(e,t){this.channels.set(e,t)}async send(e,t){let s=Array.isArray(e)?e:[e];for(let r of s){let i=t.via(r);for(let a of i){let n=this.channels.get(a);if(n)try{await n.send(r,t)}catch(l){console.error(`[Notifications] Channel "${a}" failed:`,l)}else console.warn(`[Notifications] Unknown channel: ${a}`)}}}async sendVia(e,t,s){for(let r of s){let i=this.channels.get(r);i&&await i.send(e,t)}}},Oi=P("svelar.notifier",()=>new Sr)});function Rr(o){return o.startsWith("private-")?"private":o.startsWith("presence-")?"presence":"public"}var Tr,as,Er,kr,Ui,Bi=w(()=>{"use strict";k();Tr=class{subscribers=[];name;type;constructor(e){this.name=e,this.type=Rr(e)}stream(e,t){let s=this,r=new ReadableStream({start(i){let a={channel:s.name};s.type==="presence"&&(a.members=s.getMembers());let n=`event: connected
|
|
142
142
|
data: ${JSON.stringify(a)}
|
|
143
143
|
id: ${Date.now()}
|
|
144
144
|
|
|
@@ -157,8 +157,8 @@ data: ${JSON.stringify(t)}
|
|
|
157
157
|
id: ${Date.now()}
|
|
158
158
|
|
|
159
159
|
`,i=new TextEncoder().encode(r);for(let a of this.subscribers)if(a.userId!==s)try{a.controller.enqueue(i)}catch{}}},as=class{config;constructor(e){this.config=e}async send(e,t,s){let r=Array.isArray(e)?e:[e],i=JSON.stringify({name:t,channels:r,data:JSON.stringify(s)}),a=Math.floor(Date.now()/1e3).toString(),n=await this.md5(i),l=["POST",`/apps/${this.config.appId}/events`,[`auth_key=${this.config.key}`,`auth_timestamp=${a}`,"auth_version=1.0",`body_md5=${n}`].join("&")].join(`
|
|
160
|
-
`),c=await this.hmacSha256(this.config.secret,l),m=this.config.useTLS!==!1?"https":"http",p=this.config.host??`api-${this.config.cluster??"mt1"}.pusher.com`,h=this.config.port??(this.config.useTLS!==!1?443:80),u=`${m}://${p}:${h}/apps/${this.config.appId}/events?auth_key=${this.config.key}&auth_timestamp=${a}&auth_version=1.0&body_md5=${n}&auth_signature=${c}`,b=await fetch(u,{method:"POST",headers:{"Content-Type":"application/json"},body:i});if(!b.ok){let y=await b.text();throw new Error(`Pusher API error (${b.status}): ${y}`)}}async authenticate(e,t,s){let r=`${e}:${t}`,i;s&&(i=JSON.stringify(s),r+=`:${i}`);let a=await this.hmacSha256(this.config.secret,r),n=`${this.config.key}:${a}`;return i?{auth:n,channel_data:i}:{auth:n}}get key(){return this.config.key}clientConfig(){let e={key:this.config.key,cluster:this.config.cluster??"mt1"};return this.config.host&&(e.wsHost=this.config.host,e.wsPort=this.config.port??6001,e.wssPort=this.config.port??6001,e.forceTLS=this.config.useTLS??!1,e.enabledTransports=["ws","wss"],e.disableStats=!0),e}async md5(e){let{createHash:t}=await import("crypto");return t("md5").update(e).digest("hex")}async hmacSha256(e,t){let{createHmac:s}=await import("crypto");return s("sha256",e).update(t).digest("hex")}},
|
|
161
|
-
`);ns("warning",e[422]??"Validation Error",n);return}}}catch{}let s=t||e[o.status]||`Error ${o.status}`,r=o.status>=500?"error":o.status===429?"warning":"error";if(o.status===401){ns("warning",s,"Please sign in to continue.");return}ns(r,s)}function Ar(o="XSRF-TOKEN"){if(typeof document>"u")return null;let e=o.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),t=document.cookie.match(new RegExp(`(?:^|;\\s*)${e}=([^;]*)`));return t?decodeURIComponent(t[1]):null}function zi(o,e){if(!e)return o;let t=new URL(o,"http://localhost");for(let[s,r]of Object.entries(e))r!=null&&t.searchParams.set(s,String(r));return t.pathname+t.search}var Co,Bi,$r,we,Nu,Ki=w(()=>{"use strict";Co={400:"Invalid request. Please check your input.",401:"Your session has expired. Please sign in again.",403:"You don't have permission to do this.",404:"The requested resource was not found.",405:"This action is not allowed.",409:"A conflict occurred. Please refresh and try again.",419:"Page expired. Please refresh and try again.",422:"The submitted data is invalid.",429:"Too many requests. Please wait a moment.",500:"Something went wrong on our end.",502:"Service temporarily unavailable. Try again shortly.",503:"Service is under maintenance. Try again shortly.",504:"Request timed out. Please try again."},Bi=null;$r=class o{_baseUrl="";_headers={};_timeout=3e4;_retries=0;_retryDelay=1e3;_query={};constructor(e){e?.baseUrl&&(this._baseUrl=e.baseUrl),e?.headers&&(this._headers={...e.headers}),e?.timeout&&(this._timeout=e.timeout),e?.retries&&(this._retries=e.retries),e?.retryDelay&&(this._retryDelay=e.retryDelay)}clone(){let e=new o;return e._baseUrl=this._baseUrl,e._headers={...this._headers},e._timeout=this._timeout,e._retries=this._retries,e._retryDelay=this._retryDelay,e._query={...this._query},e}baseUrl(e){let t=this.clone();return t._baseUrl=e,t}withHeaders(e){let t=this.clone();return t._headers={...t._headers,...e},t}withToken(e,t="Bearer"){return this.withHeaders({Authorization:`${t} ${e}`})}withBasicAuth(e,t){let s=Buffer.from(`${e}:${t}`).toString("base64");return this.withHeaders({Authorization:`Basic ${s}`})}accept(e){return this.withHeaders({Accept:e})}contentType(e){return this.withHeaders({"Content-Type":e})}timeout(e){let t=this.clone();return t._timeout=e,t}retry(e,t=1e3){let s=this.clone();return s._retries=e,s._retryDelay=t,s}query(e){let t=this.clone();for(let[s,r]of Object.entries(e))r!=null&&(t._query[s]=String(r));return t}async get(e){return this.request("GET",e)}async post(e,t){return this.request("POST",e,t)}async put(e,t){return this.request("PUT",e,t)}async patch(e,t){return this.request("PATCH",e,t)}async delete(e,t){return this.request("DELETE",e,t)}async request(e,t,s){let r=this.buildFullUrl(t),i={...this._headers},a;s!==void 0&&(i["Content-Type"]||(i["Content-Type"]="application/json"),a=typeof s=="string"?s:JSON.stringify(s)),i.Accept||(i.Accept="application/json");let n=null,l=1+this._retries;for(let c=0;c<l;c++){c>0&&await new Promise(m=>setTimeout(m,this._retryDelay*c));try{let m=new AbortController,p=setTimeout(()=>m.abort(),this._timeout),h=await fetch(r,{method:e,headers:i,body:a,signal:m.signal});if(clearTimeout(p),!h.ok&&h.status<500&&c<l-1,!h.ok&&h.status>=500&&c<l-1){n=new we(`HTTP ${h.status}: ${h.statusText}`,h.status,await h.text());continue}let u=h.headers.get("content-type")??"",b;if(u.includes("application/json")?b=await h.json():b=await h.text(),!h.ok)throw new we(`HTTP ${h.status}: ${typeof b=="string"?b:JSON.stringify(b)}`,h.status,b);return{data:b,status:h.status,headers:h.headers,ok:!0}}catch(m){if(m instanceof we)throw m;if(n=m,m.name==="AbortError"&&(n=new we("Request timed out",0,null)),c>=l-1)break}}throw n??new Error("HTTP request failed")}buildFullUrl(e){let t=this._baseUrl?`${this._baseUrl.replace(/\/+$/,"")}/${e.replace(/^\/+/,"")}`:e,s=Object.entries(this._query);if(s.length>0){let r=new URL(t);for(let[i,a]of s)r.searchParams.set(i,a);t=r.toString()}return t}},we=class extends Error{constructor(t,s,r){super(t);this.status=s;this.body=r;this.name="HttpRequestError"}},Nu=new $r});function Wi(o){let{paraglideMiddleware:e,getTextDirection:t=()=>"ltr",langPlaceholder:s="%lang%",dirPlaceholder:r="%dir%"}=o;return({event:i,resolve:a})=>e(i.request,({request:n,locale:l})=>(i.request=n,a(i,{transformPageChunk:({html:c})=>c.replace(s,l).replace(r,t(l))})))}function Ji(o){return e=>o.deLocalizeUrl(e.url).pathname}var Vi=w(()=>{"use strict"});function Qi(o,e,t={}){return async s=>{let{superValidate:r,fail:i,message:a}=await import("sveltekit-superforms"),{zod:n}=await import("sveltekit-superforms/adapters"),l=await r(s,n(o));if(!l.valid)return i(400,{form:l});try{let c=await e(l.data,s);if(t.redirectTo){let{redirect:m}=await import("@sveltejs/kit");throw m(303,t.redirectTo)}return c??{form:l}}catch(c){if(c?.status>=300&&c?.status<400)throw c;return a(l,t.errorMessage||c.message||"An error occurred",{status:c.status||400})}}}async function Gi(o,e){let{superValidate:t}=await import("sveltekit-superforms"),{zod:s}=await import("sveltekit-superforms/adapters");return t(e??null,s(o))}async function Yi(o,e){let t=await o.request.formData(),s={};for(let[i,a]of t.entries())s[i]=a;let r=e.safeParse(s);if(!r.success){let{FormValidationError:i}=await Promise.resolve().then(()=>(ts(),$i));throw new i(r.error.flatten().fieldErrors)}return r.data}var Zi=w(()=>{"use strict";ts()});var Xi={};L(Xi,{Application:()=>jt,AuthManager:()=>Jt,AuthenticateMiddleware:()=>be,BelongsTo:()=>ie,BelongsToMany:()=>ae,Broadcast:()=>Ui,Cache:()=>Ii,ColumnBuilder:()=>F,Connection:()=>f,Container:()=>J,Controller:()=>Ft,CorsMiddleware:()=>Ot,CsrfMiddleware:()=>le,DatabaseSessionStore:()=>Bt,ErrorHandler:()=>ye,Event:()=>ne,EventDispatcher:()=>Me,FileSessionStore:()=>Ht,ForbiddenError:()=>je,FormAuthorizationError:()=>G,FormRequest:()=>ve,FormValidationError:()=>Q,HasMany:()=>re,HasOne:()=>se,Hash:()=>Hs,HttpError:()=>N,Job:()=>X,Log:()=>Gt,LoggingMiddleware:()=>qt,Mailable:()=>Fe,Mailer:()=>Ys,MemorySessionStore:()=>V,Middleware:()=>$,MiddlewareStack:()=>H,Migration:()=>Te,Migrator:()=>ke,Model:()=>Nt,ModelNotFoundError:()=>Xt,NotFoundError:()=>Ne,Notification:()=>is,Notifier:()=>Oi,OriginMiddleware:()=>ce,QueryBuilder:()=>j,Queue:()=>Ns,RateLimitMiddleware:()=>oe,RedisSessionStore:()=>zt,RequireAuthMiddleware:()=>Vt,Schema:()=>B,Seeder:()=>It,ServiceProvider:()=>_e,Session:()=>pe,SessionMiddleware:()=>he,SignatureMiddleware:()=>Ut,Storage:()=>Li,TableBuilder:()=>Y,ThrottleMiddleware:()=>de,UnauthorizedError:()=>Ie,ValidationError:()=>z,abort:()=>es,abortIf:()=>wi,abortUnless:()=>Ci,apiFetch:()=>Hi,buildUrl:()=>zi,config:()=>Pi,container:()=>li,createFormAction:()=>Qi,createI18nHandle:()=>Wi,createReroute:()=>Ji,createSvelarApp:()=>xi,createSvelarHooks:()=>ur,env:()=>Si,getCsrfToken:()=>Ar,loadForm:()=>Gi,resource:()=>di,rules:()=>Ti,schema:()=>Gr,sequence:()=>mr,signJwt:()=>Xs,validate:()=>ki,validateForm:()=>Yi,verifyJwt:()=>er,z:()=>T});var ea=w(()=>{"use strict";ni();Is();js();P();Ps();Rs();oi();qs();Os();ci();ue();ui();pr();Ri();Ei();tr();ge();Us();dr();Mt();ts();_i();or();ji();ee();Wt();qi();Fi();Ki();Vi();Zi();pr()});var _r={};L(_r,{PluginRegistry:()=>ms});var Lr,ms,ps=w(()=>{"use strict";E();Lr=class{plugins=new Map;enabledPlugins=new Set;async discover(){let{join:e}=await import("path"),{existsSync:t,readdirSync:s}=await import("fs"),{readFile:r}=await import("fs/promises"),i=[],a=e(process.cwd(),"node_modules");if(!t(a))return i;try{let n=s(a,{withFileTypes:!0});for(let l of n){if(!l.isDirectory())continue;let c=l.name;if(c.startsWith("."))continue;let m=c.startsWith("svelar-");if(!m)continue;let p=e(a,c,"package.json");if(t(p))try{let h=await r(p,"utf-8"),u=JSON.parse(h),b=u.keywords?.includes("svelar-plugin");if(!m&&!b)continue;let y={name:u.name||c,version:u.version||"0.0.0",description:u.description||"",packageName:c,installed:!0,enabled:!1,hasConfig:!!u.svelar?.config,hasMigrations:!!u.svelar?.migrations};i.push(y),this.plugins.set(y.name,y)}catch{}}}catch{}return i}enable(e){let t=this.plugins.get(e);if(!t)throw new Error(`Plugin "${e}" not found in registry.`);this.enabledPlugins.add(e),t.enabled=!0}disable(e){this.enabledPlugins.delete(e);let t=this.plugins.get(e);t&&(t.enabled=!1)}isEnabled(e){return this.enabledPlugins.has(e)}list(){return[...this.plugins.values()]}listEnabled(){return[...this.plugins.values()].filter(e=>this.enabledPlugins.has(e.name))}get(e){return this.plugins.get(e)}register(e){this.plugins.set(e.name,e)}},ms=S("svelar.pluginRegistry",()=>new Lr)});var ra={};L(ra,{PluginPublisher:()=>Nr});var Mr,Nr,Ir=w(()=>{"use strict";E();Mr=class{async publish(e,t){let{mkdir:s,copyFile:r}=await import("fs/promises"),{join:i,dirname:a}=await import("path"),{existsSync:n}=await import("fs"),l={configs:[],migrations:[],assets:[]},c=e.publishables?.()||{};for(let[m,p]of Object.entries(c))for(let h of p){if(t?.only&&h.type!==t.only)continue;let u=i(process.cwd(),h.dest),b=a(u);if(!(n(u)&&!t?.force))try{await s(b,{recursive:!0}),await r(h.source,u),h.type==="config"?l.configs.push(u):h.type==="migration"?l.migrations.push(u):h.type==="asset"&&l.assets.push(u)}catch(y){console.warn(`Failed to publish ${h.source} to ${u}:`,y)}}return l}async preview(e){let t={configs:[],migrations:[],assets:[]},s=e.publishables?.()||{};for(let[r,i]of Object.entries(s))for(let a of i){let n=Qe("path").join(process.cwd(),a.dest);a.type==="config"?t.configs.push(n):a.type==="migration"?t.migrations.push(n):a.type==="asset"&&t.assets.push(n)}return t}},Nr=S("svelar.pluginPublisher",()=>new Mr)});var ia={};L(ia,{PluginInstaller:()=>$o});var jr,$o,aa=w(()=>{"use strict";E();ps();Ir();jr=class{async install(e,t){let{spawn:s}=await import("child_process"),{promisify:r}=await import("util"),{join:i}=await import("path"),{readFile:a}=await import("fs/promises"),{existsSync:n}=await import("fs");try{await this.runNpmInstall(e);let l=ms,c=await l.discover(),m;for(let h of c)if(h.packageName===e||h.name===e){m=h;break}if(!m)return{success:!1,pluginName:e,version:"0.0.0",published:null,error:`Plugin not found after installation. Make sure ${e} is a valid Svelar plugin.`};l.enable(m.name);let p=null;if(t?.publish!==!1)try{let h=await this.loadPluginClass(m.packageName);h&&(p=await Nr.publish(new h))}catch(h){console.warn("Failed to publish plugin assets:",h)}return{success:!0,pluginName:m.name,version:m.version,published:p}}catch(l){return{success:!1,pluginName:e,version:"0.0.0",published:null,error:l?.message??String(l)}}}async uninstall(e){try{let t=ms,s=t.get(e);return s?(t.disable(e),await this.runNpmUninstall(s.packageName),!0):!1}catch(t){return console.error("Failed to uninstall plugin:",t),!1}}async runNpmInstall(e){return new Promise((t,s)=>{let{spawn:r}=Qe("child_process"),i=r("npm",["install",e],{cwd:process.cwd(),stdio:"inherit"});i.on("close",a=>{a===0?t():s(new Error(`npm install exited with code ${a}`))}),i.on("error",s)})}async runNpmUninstall(e){return new Promise((t,s)=>{let{spawn:r}=Qe("child_process"),i=r("npm",["uninstall",e],{cwd:process.cwd(),stdio:"inherit"});i.on("close",a=>{a===0?t():s(new Error(`npm uninstall exited with code ${a}`))}),i.on("error",s)})}async loadPluginClass(e){try{let t=await import(e);return t.default||Object.values(t)[0]}catch{return null}}},$o=S("svelar.pluginInstaller",()=>new jr)});import{dirname as oa,join as Or}from"path";import{fileURLToPath as la,pathToFileURL as Ao}from"url";import{register as Do}from"module";import{readFileSync as ca,existsSync as Lo}from"fs";var Ge=class{commands=new Map;version;constructor(e="0.1.0"){this.version=e}register(e){let t=new e;return this.commands.set(t.name,t),this}add(e){return this.commands.set(e.name,e),this}async run(e=process.argv.slice(2)){let[t,...s]=e;if(!t||t==="--help"||t==="-h"){this.showHelp();return}if(t==="--version"||t==="-v"){console.log(`Svelar v${this.version}`);return}let r=this.commands.get(t);if(r||(console.error(`\x1B[31mUnknown command:\x1B[0m ${t}`),console.log("Run \x1B[36msvelar --help\x1B[0m for available commands."),process.exit(1)),s.includes("--help")||s.includes("-h")){this.showCommandHelp(r);return}let{args:i,flags:a}=this.parseArgs(s,r);try{await r.handle(i,a)}catch(n){let l=n instanceof Error?n.message:String(n);console.error(`\x1B[31mError:\x1B[0m ${l}`),n?.stack&&console.error(n.stack),process.exit(1)}}parseArgs(e,t){let s=[],r={};for(let i of t.flags)i.default!==void 0&&(r[i.name]=i.default);for(let i=0;i<e.length;i++){let a=e[i];if(a.startsWith("--")){let n=a.slice(2),l=n.indexOf("=");if(l!==-1){let p=n.slice(0,l);r[p]=n.slice(l+1);continue}let c=n;t.flags.find(p=>p.name===c)?.type==="boolean"?r[c]=!0:i+1<e.length&&!e[i+1].startsWith("-")?r[c]=e[++i]:r[c]=!0}else if(a.startsWith("-")&&a.length===2){let n=a.slice(1),l=t.flags.find(c=>c.alias===n);l&&(l.type==="boolean"?r[l.name]=!0:i+1<e.length&&(r[l.name]=e[++i]))}else s.push(a)}return{args:s,flags:r}}showCommandHelp(e){if(console.log(`
|
|
160
|
+
`),c=await this.hmacSha256(this.config.secret,l),m=this.config.useTLS!==!1?"https":"http",p=this.config.host??`api-${this.config.cluster??"mt1"}.pusher.com`,h=this.config.port??(this.config.useTLS!==!1?443:80),u=`${m}://${p}:${h}/apps/${this.config.appId}/events?auth_key=${this.config.key}&auth_timestamp=${a}&auth_version=1.0&body_md5=${n}&auth_signature=${c}`,b=await fetch(u,{method:"POST",headers:{"Content-Type":"application/json"},body:i});if(!b.ok){let y=await b.text();throw new Error(`Pusher API error (${b.status}): ${y}`)}}async authenticate(e,t,s){let r=`${e}:${t}`,i;s&&(i=JSON.stringify(s),r+=`:${i}`);let a=await this.hmacSha256(this.config.secret,r),n=`${this.config.key}:${a}`;return i?{auth:n,channel_data:i}:{auth:n}}get key(){return this.config.key}clientConfig(){let e={key:this.config.key,cluster:this.config.cluster??"mt1"};return this.config.host&&(e.wsHost=this.config.host,e.wsPort=this.config.port??6001,e.wssPort=this.config.port??6001,e.forceTLS=this.config.useTLS??!1,e.enabledTransports=["ws","wss"],e.disableStats=!0),e}async md5(e){let{createHash:t}=await import("crypto");return t("md5").update(e).digest("hex")}async hmacSha256(e,t){let{createHmac:s}=await import("crypto");return s("sha256",e).update(t).digest("hex")}},Er=class{constructor(e,t,s){this.manager=e;this.eventName=t;this.eventData=s}channels=[];on(...e){return this.channels.push(...e),this}async send(){for(let e of this.channels)await this.manager.sendToChannel(e,this.eventName,this.eventData)}},kr=class{config={default:"sse",drivers:{sse:{driver:"sse"}}};sseChannels=new Map;channelAuth=new Map;pusherDriver=null;configure(e){this.config=e;let t=Object.values(e.drivers).find(s=>s.driver==="pusher");t&&t.driver==="pusher"&&(this.pusherDriver=new as(t))}channel(e,t){if(t){this.channelAuth.set(e,t);return}return this.sseChannels.has(e)||this.sseChannels.set(e,new Tr(e)),this.sseChannels.get(e)}async authorize(e,t){if(Rr(e)==="public")return!0;for(let[r,i]of this.channelAuth){let a=this.matchPattern(r,e);if(a!==null)return await i(t,a)}return!1}async authenticatePusher(e,t,s){if(!this.pusherDriver)throw new Error("Pusher driver is not configured. Call Broadcast.configure() first.");let r=Rr(e);if(r==="public")return!1;let i=await this.authorize(e,s);if(i===!1)return!1;if(r==="presence"){let a=typeof i=="object"?{user_id:i.id??s.id,user_info:i}:{user_id:s.id,user_info:{id:s.id}};return this.pusherDriver.authenticate(t,e,a)}return this.pusherDriver.authenticate(t,e)}event(e,t){return new Er(this,e,t)}to(e,t){return{send:async(s,r)=>{await this.sendToChannel(e,s,r,t)}}}async sendToChannel(e,t,s,r){let i=this.config.drivers[this.config.default];switch(i?.driver){case"pusher":this.pusherDriver||(this.pusherDriver=new as(i)),await this.pusherDriver.send(e,t,s);break;case"log":console.log(`[Broadcast] ${e} \u2192 ${t}:`,JSON.stringify(s));break;default:for(let[,a]of this.sseChannels)a.name===e&&a.send(t,s,r);break}}subscribe(e,t,s){return this.channel(e).stream(t,s)}members(e){let t=this.sseChannels.get(e);return t?t.getMembers():[]}pusher(){if(!this.pusherDriver)throw new Error("Pusher driver is not configured.");return this.pusherDriver}activeChannels(){return[...new Set([...this.sseChannels.values()].map(e=>e.name))]}totalSubscribers(){let e=0;for(let t of this.sseChannels.values())e+=t.subscriberCount();return e}prune(){for(let[e,t]of this.sseChannels)t.subscriberCount()===0&&this.sseChannels.delete(e)}matchPattern(e,t){let s=[],r=e.replace(/[.*+?^${}()|[\]\\]/g,l=>l==="{"||l==="}"?l:`\\${l}`).replace(/\\\{(\w+)\\\}/g,(l,c)=>(s.push(c),"([^.]+)")).replace(/\{(\w+)\}/g,(l,c)=>(s.push(c),"([^.]+)")),i=new RegExp(`^${r}$`),a=t.match(i);if(!a)return null;let n={};for(let l=0;l<s.length;l++)n[s[l]]=a[l+1];return n}},Ui=P("svelar.broadcast",()=>new kr)});function ns(o,e,t){Fi&&Fi(o,e,{description:t})}async function Hi(o,e={}){let{csrfCookieName:t="XSRF-TOKEN",csrfHeaderName:s="X-CSRF-Token",showToast:r=!0,errorMessages:i={},...a}=e,n=(a.method||"GET").toUpperCase(),l=new Headers(a.headers);if(["POST","PUT","PATCH","DELETE"].includes(n)){let c=Ar(t);c&&l.set(s,c)}a.body&&typeof a.body=="string"&&!l.has("Content-Type")&&l.set("Content-Type","application/json"),l.has("Accept")||l.set("Accept","application/json");try{let c=await fetch(o,{...a,headers:l});return!c.ok&&r&&await xo(c,{...Co,...i}),c}catch(c){throw r&&ns("error","Network Error","Unable to connect. Check your internet connection."),c}}async function xo(o,e){let t="";try{if((o.headers.get("content-type")??"").includes("application/json")){let a=await o.clone().json();if(t=a.message??"",o.status===422&&a.errors){let n=Object.entries(a.errors).map(([l,c])=>`${l}: ${c.join(", ")}`).slice(0,3).join(`
|
|
161
|
+
`);ns("warning",e[422]??"Validation Error",n);return}}}catch{}let s=t||e[o.status]||`Error ${o.status}`,r=o.status>=500?"error":o.status===429?"warning":"error";if(o.status===401){ns("warning",s,"Please sign in to continue.");return}ns(r,s)}function Ar(o="XSRF-TOKEN"){if(typeof document>"u")return null;let e=o.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),t=document.cookie.match(new RegExp(`(?:^|;\\s*)${e}=([^;]*)`));return t?decodeURIComponent(t[1]):null}function zi(o,e){if(!e)return o;let t=new URL(o,"http://localhost");for(let[s,r]of Object.entries(e))r!=null&&t.searchParams.set(s,String(r));return t.pathname+t.search}var Co,Fi,$r,we,Nu,Ki=w(()=>{"use strict";Co={400:"Invalid request. Please check your input.",401:"Your session has expired. Please sign in again.",403:"You don't have permission to do this.",404:"The requested resource was not found.",405:"This action is not allowed.",409:"A conflict occurred. Please refresh and try again.",419:"Page expired. Please refresh and try again.",422:"The submitted data is invalid.",429:"Too many requests. Please wait a moment.",500:"Something went wrong on our end.",502:"Service temporarily unavailable. Try again shortly.",503:"Service is under maintenance. Try again shortly.",504:"Request timed out. Please try again."},Fi=null;$r=class o{_baseUrl="";_headers={};_timeout=3e4;_retries=0;_retryDelay=1e3;_query={};constructor(e){e?.baseUrl&&(this._baseUrl=e.baseUrl),e?.headers&&(this._headers={...e.headers}),e?.timeout&&(this._timeout=e.timeout),e?.retries&&(this._retries=e.retries),e?.retryDelay&&(this._retryDelay=e.retryDelay)}clone(){let e=new o;return e._baseUrl=this._baseUrl,e._headers={...this._headers},e._timeout=this._timeout,e._retries=this._retries,e._retryDelay=this._retryDelay,e._query={...this._query},e}baseUrl(e){let t=this.clone();return t._baseUrl=e,t}withHeaders(e){let t=this.clone();return t._headers={...t._headers,...e},t}withToken(e,t="Bearer"){return this.withHeaders({Authorization:`${t} ${e}`})}withBasicAuth(e,t){let s=Buffer.from(`${e}:${t}`).toString("base64");return this.withHeaders({Authorization:`Basic ${s}`})}accept(e){return this.withHeaders({Accept:e})}contentType(e){return this.withHeaders({"Content-Type":e})}timeout(e){let t=this.clone();return t._timeout=e,t}retry(e,t=1e3){let s=this.clone();return s._retries=e,s._retryDelay=t,s}query(e){let t=this.clone();for(let[s,r]of Object.entries(e))r!=null&&(t._query[s]=String(r));return t}async get(e){return this.request("GET",e)}async post(e,t){return this.request("POST",e,t)}async put(e,t){return this.request("PUT",e,t)}async patch(e,t){return this.request("PATCH",e,t)}async delete(e,t){return this.request("DELETE",e,t)}async request(e,t,s){let r=this.buildFullUrl(t),i={...this._headers},a;s!==void 0&&(i["Content-Type"]||(i["Content-Type"]="application/json"),a=typeof s=="string"?s:JSON.stringify(s)),i.Accept||(i.Accept="application/json");let n=null,l=1+this._retries;for(let c=0;c<l;c++){c>0&&await new Promise(m=>setTimeout(m,this._retryDelay*c));try{let m=new AbortController,p=setTimeout(()=>m.abort(),this._timeout),h=await fetch(r,{method:e,headers:i,body:a,signal:m.signal});if(clearTimeout(p),!h.ok&&h.status<500&&c<l-1,!h.ok&&h.status>=500&&c<l-1){n=new we(`HTTP ${h.status}: ${h.statusText}`,h.status,await h.text());continue}let u=h.headers.get("content-type")??"",b;if(u.includes("application/json")?b=await h.json():b=await h.text(),!h.ok)throw new we(`HTTP ${h.status}: ${typeof b=="string"?b:JSON.stringify(b)}`,h.status,b);return{data:b,status:h.status,headers:h.headers,ok:!0}}catch(m){if(m instanceof we)throw m;if(n=m,m.name==="AbortError"&&(n=new we("Request timed out",0,null)),c>=l-1)break}}throw n??new Error("HTTP request failed")}buildFullUrl(e){let t=this._baseUrl?`${this._baseUrl.replace(/\/+$/,"")}/${e.replace(/^\/+/,"")}`:e,s=Object.entries(this._query);if(s.length>0){let r=new URL(t);for(let[i,a]of s)r.searchParams.set(i,a);t=r.toString()}return t}},we=class extends Error{constructor(t,s,r){super(t);this.status=s;this.body=r;this.name="HttpRequestError"}},Nu=new $r});function Wi(o){let{paraglideMiddleware:e,getTextDirection:t=()=>"ltr",langPlaceholder:s="%lang%",dirPlaceholder:r="%dir%"}=o;return({event:i,resolve:a})=>e(i.request,({request:n,locale:l})=>(i.request=n,a(i,{transformPageChunk:({html:c})=>c.replace(s,l).replace(r,t(l))})))}function Ji(o){return e=>o.deLocalizeUrl(e.url).pathname}var Vi=w(()=>{"use strict"});function Qi(o,e,t={}){return async s=>{let{superValidate:r,fail:i,message:a}=await import("sveltekit-superforms"),{zod:n}=await import("sveltekit-superforms/adapters"),l=await r(s,n(o));if(!l.valid)return i(400,{form:l});try{let c=await e(l.data,s);if(t.redirectTo){let{redirect:m}=await import("@sveltejs/kit");throw m(303,t.redirectTo)}return c??{form:l}}catch(c){if(c?.status>=300&&c?.status<400)throw c;return a(l,t.errorMessage||c.message||"An error occurred",{status:c.status||400})}}}async function Gi(o,e){let{superValidate:t}=await import("sveltekit-superforms"),{zod:s}=await import("sveltekit-superforms/adapters");return t(e??null,s(o))}async function Yi(o,e){let t=await o.request.formData(),s={};for(let[i,a]of t.entries())s[i]=a;let r=e.safeParse(s);if(!r.success){let{FormValidationError:i}=await Promise.resolve().then(()=>(ts(),$i));throw new i(r.error.flatten().fieldErrors)}return r.data}var Zi=w(()=>{"use strict";ts()});var Xi={};L(Xi,{Application:()=>jt,AuthManager:()=>Jt,AuthenticateMiddleware:()=>be,BelongsTo:()=>ie,BelongsToMany:()=>ae,Broadcast:()=>Ui,Cache:()=>Ii,ColumnBuilder:()=>B,Connection:()=>f,Container:()=>J,Controller:()=>Bt,CorsMiddleware:()=>Ot,CsrfMiddleware:()=>le,DatabaseSessionStore:()=>Ft,ErrorHandler:()=>ye,Event:()=>ne,EventDispatcher:()=>Me,FileSessionStore:()=>Ht,ForbiddenError:()=>je,FormAuthorizationError:()=>G,FormRequest:()=>ve,FormValidationError:()=>Q,HasMany:()=>re,HasOne:()=>se,Hash:()=>Hs,HttpError:()=>N,Job:()=>X,Log:()=>Gt,LoggingMiddleware:()=>qt,Mailable:()=>Be,Mailer:()=>Ys,MemorySessionStore:()=>V,Middleware:()=>$,MiddlewareStack:()=>H,Migration:()=>Te,Migrator:()=>Ee,Model:()=>Nt,ModelNotFoundError:()=>Xt,NotFoundError:()=>Ne,Notification:()=>is,Notifier:()=>Oi,OriginMiddleware:()=>ce,QueryBuilder:()=>j,Queue:()=>Ns,RateLimitMiddleware:()=>oe,RedisSessionStore:()=>zt,RequireAuthMiddleware:()=>Vt,Schema:()=>F,Seeder:()=>It,ServiceProvider:()=>_e,Session:()=>pe,SessionMiddleware:()=>he,SignatureMiddleware:()=>Ut,Storage:()=>Li,TableBuilder:()=>Y,ThrottleMiddleware:()=>de,UnauthorizedError:()=>Ie,ValidationError:()=>z,abort:()=>es,abortIf:()=>wi,abortUnless:()=>Ci,apiFetch:()=>Hi,buildUrl:()=>zi,config:()=>Si,container:()=>li,createFormAction:()=>Qi,createI18nHandle:()=>Wi,createReroute:()=>Ji,createSvelarApp:()=>xi,createSvelarHooks:()=>ur,env:()=>Pi,getCsrfToken:()=>Ar,loadForm:()=>Gi,resource:()=>di,rules:()=>Ti,schema:()=>Gr,sequence:()=>mr,signJwt:()=>Xs,validate:()=>Ei,validateForm:()=>Yi,verifyJwt:()=>er,z:()=>T});var ea=w(()=>{"use strict";ni();Is();js();S();Ss();Rs();oi();qs();Os();ci();ue();ui();pr();Ri();ki();tr();ge();Us();dr();Mt();ts();_i();or();ji();ee();Wt();qi();Bi();Ki();Vi();Zi();pr()});var _r={};L(_r,{PluginRegistry:()=>ms});var Lr,ms,ps=w(()=>{"use strict";k();Lr=class{plugins=new Map;enabledPlugins=new Set;async discover(){let{join:e}=await import("path"),{existsSync:t,readdirSync:s}=await import("fs"),{readFile:r}=await import("fs/promises"),i=[],a=e(process.cwd(),"node_modules");if(!t(a))return i;try{let n=s(a,{withFileTypes:!0});for(let l of n){if(!l.isDirectory())continue;let c=l.name;if(c.startsWith("."))continue;let m=c.startsWith("svelar-");if(!m)continue;let p=e(a,c,"package.json");if(t(p))try{let h=await r(p,"utf-8"),u=JSON.parse(h),b=u.keywords?.includes("svelar-plugin");if(!m&&!b)continue;let y={name:u.name||c,version:u.version||"0.0.0",description:u.description||"",packageName:c,installed:!0,enabled:!1,hasConfig:!!u.svelar?.config,hasMigrations:!!u.svelar?.migrations};i.push(y),this.plugins.set(y.name,y)}catch{}}}catch{}return i}enable(e){let t=this.plugins.get(e);if(!t)throw new Error(`Plugin "${e}" not found in registry.`);this.enabledPlugins.add(e),t.enabled=!0}disable(e){this.enabledPlugins.delete(e);let t=this.plugins.get(e);t&&(t.enabled=!1)}isEnabled(e){return this.enabledPlugins.has(e)}list(){return[...this.plugins.values()]}listEnabled(){return[...this.plugins.values()].filter(e=>this.enabledPlugins.has(e.name))}get(e){return this.plugins.get(e)}register(e){this.plugins.set(e.name,e)}},ms=P("svelar.pluginRegistry",()=>new Lr)});var ra={};L(ra,{PluginPublisher:()=>Nr});var Mr,Nr,Ir=w(()=>{"use strict";k();Mr=class{async publish(e,t){let{mkdir:s,copyFile:r}=await import("fs/promises"),{join:i,dirname:a}=await import("path"),{existsSync:n}=await import("fs"),l={configs:[],migrations:[],assets:[]},c=e.publishables?.()||{};for(let[m,p]of Object.entries(c))for(let h of p){if(t?.only&&h.type!==t.only)continue;let u=i(process.cwd(),h.dest),b=a(u);if(!(n(u)&&!t?.force))try{await s(b,{recursive:!0}),await r(h.source,u),h.type==="config"?l.configs.push(u):h.type==="migration"?l.migrations.push(u):h.type==="asset"&&l.assets.push(u)}catch(y){console.warn(`Failed to publish ${h.source} to ${u}:`,y)}}return l}async preview(e){let t={configs:[],migrations:[],assets:[]},s=e.publishables?.()||{};for(let[r,i]of Object.entries(s))for(let a of i){let n=Qe("path").join(process.cwd(),a.dest);a.type==="config"?t.configs.push(n):a.type==="migration"?t.migrations.push(n):a.type==="asset"&&t.assets.push(n)}return t}},Nr=P("svelar.pluginPublisher",()=>new Mr)});var ia={};L(ia,{PluginInstaller:()=>$o});var jr,$o,aa=w(()=>{"use strict";k();ps();Ir();jr=class{async install(e,t){let{spawn:s}=await import("child_process"),{promisify:r}=await import("util"),{join:i}=await import("path"),{readFile:a}=await import("fs/promises"),{existsSync:n}=await import("fs");try{await this.runNpmInstall(e);let l=ms,c=await l.discover(),m;for(let h of c)if(h.packageName===e||h.name===e){m=h;break}if(!m)return{success:!1,pluginName:e,version:"0.0.0",published:null,error:`Plugin not found after installation. Make sure ${e} is a valid Svelar plugin.`};l.enable(m.name);let p=null;if(t?.publish!==!1)try{let h=await this.loadPluginClass(m.packageName);h&&(p=await Nr.publish(new h))}catch(h){console.warn("Failed to publish plugin assets:",h)}return{success:!0,pluginName:m.name,version:m.version,published:p}}catch(l){return{success:!1,pluginName:e,version:"0.0.0",published:null,error:l?.message??String(l)}}}async uninstall(e){try{let t=ms,s=t.get(e);return s?(t.disable(e),await this.runNpmUninstall(s.packageName),!0):!1}catch(t){return console.error("Failed to uninstall plugin:",t),!1}}async runNpmInstall(e){return new Promise((t,s)=>{let{spawn:r}=Qe("child_process"),i=r("npm",["install",e],{cwd:process.cwd(),stdio:"inherit"});i.on("close",a=>{a===0?t():s(new Error(`npm install exited with code ${a}`))}),i.on("error",s)})}async runNpmUninstall(e){return new Promise((t,s)=>{let{spawn:r}=Qe("child_process"),i=r("npm",["uninstall",e],{cwd:process.cwd(),stdio:"inherit"});i.on("close",a=>{a===0?t():s(new Error(`npm uninstall exited with code ${a}`))}),i.on("error",s)})}async loadPluginClass(e){try{let t=await import(e);return t.default||Object.values(t)[0]}catch{return null}}},$o=P("svelar.pluginInstaller",()=>new jr)});import{dirname as oa,join as Or}from"path";import{fileURLToPath as la,pathToFileURL as Ao}from"url";import{register as Do}from"module";import{readFileSync as ca,existsSync as Lo}from"fs";var Ge=class{commands=new Map;version;constructor(e="0.1.0"){this.version=e}register(e){let t=new e;return this.commands.set(t.name,t),this}add(e){return this.commands.set(e.name,e),this}async run(e=process.argv.slice(2)){let[t,...s]=e;if(!t||t==="--help"||t==="-h"){this.showHelp();return}if(t==="--version"||t==="-v"){console.log(`Svelar v${this.version}`);return}let r=this.commands.get(t);if(r||(console.error(`\x1B[31mUnknown command:\x1B[0m ${t}`),console.log("Run \x1B[36msvelar --help\x1B[0m for available commands."),process.exit(1)),s.includes("--help")||s.includes("-h")){this.showCommandHelp(r);return}let{args:i,flags:a}=this.parseArgs(s,r);try{await r.handle(i,a)}catch(n){let l=n instanceof Error?n.message:String(n);console.error(`\x1B[31mError:\x1B[0m ${l}`),n?.stack&&console.error(n.stack),process.exit(1)}}parseArgs(e,t){let s=[],r={};for(let i of t.flags)i.default!==void 0&&(r[i.name]=i.default);for(let i=0;i<e.length;i++){let a=e[i];if(a.startsWith("--")){let n=a.slice(2),l=n.indexOf("=");if(l!==-1){let p=n.slice(0,l);r[p]=n.slice(l+1);continue}let c=n;t.flags.find(p=>p.name===c)?.type==="boolean"?r[c]=!0:i+1<e.length&&!e[i+1].startsWith("-")?r[c]=e[++i]:r[c]=!0}else if(a.startsWith("-")&&a.length===2){let n=a.slice(1),l=t.flags.find(c=>c.alias===n);l&&(l.type==="boolean"?r[l.name]=!0:i+1<e.length&&(r[l.name]=e[++i]))}else s.push(a)}return{args:s,flags:r}}showCommandHelp(e){if(console.log(`
|
|
162
162
|
\x1B[33mDescription:\x1B[0m`),console.log(` ${e.description}
|
|
163
163
|
`),console.log("\x1B[33mUsage:\x1B[0m"),console.log(` svelar ${e.name} [options]
|
|
164
164
|
`),e.flags.length>0){console.log("\x1B[33mOptions:\x1B[0m");for(let t of e.flags){let s=t.alias?`-${t.alias}, `:" ",r=`--${t.name}`,i=24-s.length-r.length;console.log(` ${s}${r}${" ".repeat(Math.max(1,i))}${t.description}`)}console.log()}}showHelp(){console.log(`
|
|
@@ -172,7 +172,7 @@ id: ${Date.now()}
|
|
|
172
172
|
svelar <command> [arguments] [options]
|
|
173
173
|
|
|
174
174
|
\x1B[33mAvailable Commands:\x1B[0m`);let e=new Map;for(let[,t]of this.commands){let s=t.name.includes(":")?t.name.split(":")[0]:"general";e.has(s)||e.set(s,[]),e.get(s).push(t)}for(let[t,s]of e){console.log(`
|
|
175
|
-
\x1B[32m${t}\x1B[0m`);for(let r of s){let i=30-r.name.length;console.log(` \x1B[36m${r.name}\x1B[0m${" ".repeat(Math.max(1,i))}${r.description}`)}}console.log()}};import{existsSync as ua}from"fs";import{join as
|
|
175
|
+
\x1B[32m${t}\x1B[0m`);for(let r of s){let i=30-r.name.length;console.log(` \x1B[36m${r.name}\x1B[0m${" ".repeat(Math.max(1,i))}${r.description}`)}}console.log()}};import{existsSync as ua}from"fs";import{join as Se}from"path";var g=class{arguments=[];flags=[];async bootstrap(){let{join:e}=await import("path"),{existsSync:t,readFileSync:s}=await import("fs"),{Connection:r}=await Promise.resolve().then(()=>(S(),R)),i=process.cwd();try{r.getDriver();return}catch{}let a=e(i,"svelar.database.json");if(t(a))try{let c=s(a,"utf-8"),m=JSON.parse(c);r.configure(m),this.info("Database configured from svelar.database.json");return}catch(c){this.warn(`Failed to parse svelar.database.json: ${String(c?.message??c)}`)}let n=process.env.DB_DRIVER??"sqlite",l=process.env.DB_PATH??"database.db";r.configure({default:n,connections:{[n]:{driver:n,filename:l,host:process.env.DB_HOST,port:process.env.DB_PORT?parseInt(process.env.DB_PORT):void 0,database:process.env.DB_NAME,user:process.env.DB_USER,password:process.env.DB_PASSWORD}}}),this.info(`Using ${n} database${n==="sqlite"?`: ${l}`:""}`)}log(e){console.log(e)}info(e){console.log(`\x1B[34mINFO\x1B[0m ${e}`)}success(e){console.log(`\x1B[32m\u2713\x1B[0m ${e}`)}warn(e){console.log(`\x1B[33mWARN\x1B[0m ${e}`)}error(e){console.error(`\x1B[31mERROR\x1B[0m ${e}`)}table(e,t){let s=e.map((a,n)=>Math.max(a.length,...t.map(l=>(l[n]??"").length))),r=s.map(a=>"\u2500".repeat(a+2)).join("\u253C"),i=a=>a.map((n,l)=>` ${(n??"").padEnd(s[l])} `).join("\u2502");console.log(i(e)),console.log(r);for(let a of t)console.log(i(a))}newLine(){console.log()}isDDD(){return ua(Se(process.cwd(),"src","lib","modules"))}sharedDir(e){return this.isDDD()?Se(process.cwd(),"src","lib","shared",e):Se(process.cwd(),"src","lib",e)}moduleDir(e,t){return this.isDDD()?Se(process.cwd(),"src","lib","modules",e):Se(process.cwd(),"src","lib",t)}};import{writeFileSync as vs,mkdirSync as ws,existsSync as ma}from"fs";import{join as Ye}from"path";var Ze=class extends g{name="make:model";description="Create a new model class";arguments=["name"];flags=[{name:"migration",alias:"m",description:"Also create a migration",type:"boolean"},{name:"controller",alias:"c",description:"Also create a controller",type:"boolean"},{name:"resource",alias:"r",description:"Create a resource controller",type:"boolean"},{name:"all",alias:"a",description:"Create model, migration, and controller",type:"boolean"},{name:"module",description:"Module name (e.g. auth, billing)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a model name.");return}let r=this.toSnakeCase(this.pluralize(s)),i=t.module||this.toSnakeCase(this.pluralize(s));!t.module&&this.isDDD()&&this.warn(`No --module specified. Using "${i}" as module. Consider: --module ${i}`);let a=this.moduleDir(i,"models");ws(a,{recursive:!0});let n=Ye(a,`${s}.ts`);if(ma(n)){this.warn(`Model ${s} already exists at ${n}`);return}let l=`import { Model } from '@beeblock/svelar/orm';
|
|
176
176
|
|
|
177
177
|
export class ${s} extends Model {
|
|
178
178
|
static table = '${r}';
|
|
@@ -357,7 +357,7 @@ export class ${s} extends Middleware {
|
|
|
357
357
|
return response;
|
|
358
358
|
}
|
|
359
359
|
}
|
|
360
|
-
`;va(i,a);let n=this.isDDD()?`src/lib/shared/middleware/${s}.ts`:`src/lib/middleware/${s}.ts`;this.success(`Middleware created: ${n}`)}};import{writeFileSync as
|
|
360
|
+
`;va(i,a);let n=this.isDDD()?`src/lib/shared/middleware/${s}.ts`:`src/lib/middleware/${s}.ts`;this.success(`Middleware created: ${n}`)}};import{writeFileSync as Pa,mkdirSync as Sa,existsSync as Ra}from"fs";import{join as Ta}from"path";var st=class extends g{name="make:provider";description="Create a new service provider class";arguments=["name"];flags=[];async handle(e){let t=e[0];if(!t){this.error("Please provide a provider name.");return}let s=t.endsWith("ServiceProvider")?t:`${t}ServiceProvider`,r=this.sharedDir("providers");Sa(r,{recursive:!0});let i=Ta(r,`${s}.ts`);if(Ra(i)){this.warn(`Provider ${s} already exists.`);return}let a=`import { ServiceProvider } from '@beeblock/svelar/container';
|
|
361
361
|
import type { Container } from '@beeblock/svelar/container';
|
|
362
362
|
|
|
363
363
|
export class ${s} extends ServiceProvider {
|
|
@@ -378,7 +378,7 @@ export class ${s} extends ServiceProvider {
|
|
|
378
378
|
// Initialization logic here
|
|
379
379
|
}
|
|
380
380
|
}
|
|
381
|
-
`;
|
|
381
|
+
`;Pa(i,a);let n=this.isDDD()?`src/lib/shared/providers/${s}.ts`:`src/lib/providers/${s}.ts`;this.success(`Provider created: ${n}`)}};import{writeFileSync as Ea,mkdirSync as ka,existsSync as $a}from"fs";import{join as Br}from"path";var rt=class extends g{name="make:seeder";description="Create a new database seeder class";arguments=["name"];flags=[];async handle(e){let t=e[0];if(!t){this.error("Please provide a seeder name.");return}let s=t.endsWith("Seeder")?t:`${t}Seeder`,r=Br(process.cwd(),"src","lib","database","seeders");ka(r,{recursive:!0});let i=Br(r,`${s}.ts`);if($a(i)){this.warn(`Seeder ${s} already exists.`);return}let a=`import { Seeder } from '@beeblock/svelar/database';
|
|
382
382
|
|
|
383
383
|
export class ${s} extends Seeder {
|
|
384
384
|
async run(): Promise<void> {
|
|
@@ -387,7 +387,7 @@ export class ${s} extends Seeder {
|
|
|
387
387
|
// await User.create({ name: 'Admin', email: 'admin@example.com' });
|
|
388
388
|
}
|
|
389
389
|
}
|
|
390
|
-
`;
|
|
390
|
+
`;Ea(i,a),this.success(`Seeder created: src/lib/database/seeders/${s}.ts`)}};import{writeFileSync as Aa,mkdirSync as Da,existsSync as La}from"fs";import{join as _a}from"path";var it=class extends g{name="make:service";description="Create a new service class";arguments=["name"];flags=[{name:"crud",description:"Create a CRUD service with model",type:"boolean"},{name:"model",alias:"m",description:"Model name for CRUD service",type:"string"},{name:"module",description:"Module name (e.g. auth, billing)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a service name.");return}let r=s.endsWith("Service")?s:`${s}Service`,i=r.replace(/Service$/,""),a=t.module||i.toLowerCase();!t.module&&this.isDDD()&&this.warn(`No --module specified. Using "${a}" as module. Consider: --module ${a}`);let n=this.moduleDir(a,"services");Da(n,{recursive:!0});let l=_a(n,`${r}.ts`);if(La(l)){this.warn(`Service ${r} already exists.`);return}let c=t.model?this.isDDD()?`./${t.model}.js`:`../models/${t.model}.js`:void 0,m=t.crud?this.generateCrudService(r,t.model,c):this.generateBasicService(r);Aa(l,m);let p=this.isDDD()?`src/lib/modules/${a}`:"src/lib/services";this.success(`Service created: ${p}/${r}.ts`)}generateCrudService(e,t,s){let r=t||"Model",i=s||`./${r}.js`;return`import { CrudService, type ServiceResult } from '@beeblock/svelar/services';
|
|
391
391
|
import { ${r} } from '${i}';
|
|
392
392
|
|
|
393
393
|
export class ${e} extends CrudService<${r}> {
|
|
@@ -429,7 +429,7 @@ export class ${r} extends Repository<${c}> {
|
|
|
429
429
|
// return ${c}.where('active', true).orderBy('name').get();
|
|
430
430
|
// }
|
|
431
431
|
}
|
|
432
|
-
`;Ma(l,p);let h=this.isDDD()?`src/lib/modules/${a}`:"src/lib/repositories";this.success(`Repository created: ${h}/${r}.ts`)}inferModelName(e){return e.replace("Repository","")||"Model"}};import{writeFileSync as Oa,mkdirSync as qa,existsSync as Ua}from"fs";import{join as
|
|
432
|
+
`;Ma(l,p);let h=this.isDDD()?`src/lib/modules/${a}`:"src/lib/repositories";this.success(`Repository created: ${h}/${r}.ts`)}inferModelName(e){return e.replace("Repository","")||"Model"}};import{writeFileSync as Oa,mkdirSync as qa,existsSync as Ua}from"fs";import{join as Ba}from"path";var nt=class extends g{name="make:action";description="Create a new action class";arguments=["name"];flags=[{name:"module",description:"Module name (e.g. auth, billing)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide an action name.");return}let r=s.endsWith("Action")?s:`${s}Action`,i=r.replace(/Action$/,""),a=t.module||i.toLowerCase();!t.module&&this.isDDD()&&this.warn(`No --module specified. Using "${a}" as module. Consider: --module ${a}`);let n=this.moduleDir(a,"actions");qa(n,{recursive:!0});let l=Ba(n,`${r}.ts`);if(Ua(l)){this.warn(`Action ${r} already exists.`);return}let c=`import { Action } from '@beeblock/svelar/actions';
|
|
433
433
|
|
|
434
434
|
interface ${r}Input {
|
|
435
435
|
// Define input type
|
|
@@ -445,7 +445,7 @@ export class ${r} extends Action<${r}Input, ${r}Output> {
|
|
|
445
445
|
throw new Error('Not implemented');
|
|
446
446
|
}
|
|
447
447
|
}
|
|
448
|
-
`;Oa(l,c);let m=this.isDDD()?`src/lib/modules/${a}`:"src/lib/actions";this.success(`Action created: ${m}/${r}.ts`)}};import{writeFileSync as
|
|
448
|
+
`;Oa(l,c);let m=this.isDDD()?`src/lib/modules/${a}`:"src/lib/actions";this.success(`Action created: ${m}/${r}.ts`)}};import{writeFileSync as Fa,mkdirSync as Ha,existsSync as za}from"fs";import{join as Ka}from"path";var ot=class extends g{name="make:request";description="Create a new FormRequest validation class";arguments=["name"];flags=[{name:"module",description:"Module name (e.g. auth, billing)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a request name.");return}let r=s.endsWith("Request")?s:`${s}Request`,i=r.replace(/Request$/,""),a=t.module||i.toLowerCase();!t.module&&this.isDDD()&&this.warn(`No --module specified. Using "${a}" as module. Consider: --module ${a}`);let n=this.moduleDir(a,"dtos");Ha(n,{recursive:!0});let l=Ka(n,`${r}.ts`);if(za(l)){this.warn(`Request ${r} already exists.`);return}let c=`import { FormRequest } from '@beeblock/svelar/routing';
|
|
449
449
|
import { z } from '@beeblock/svelar/validation';
|
|
450
450
|
|
|
451
451
|
export class ${r} extends FormRequest {
|
|
@@ -474,7 +474,7 @@ export class ${r} extends FormRequest {
|
|
|
474
474
|
return data;
|
|
475
475
|
}
|
|
476
476
|
}
|
|
477
|
-
`;
|
|
477
|
+
`;Fa(l,c);let m=this.isDDD()?`src/lib/modules/${a}`:"src/lib/dtos";this.success(`Request created: ${m}/${r}.ts`)}};import{writeFileSync as Wa,mkdirSync as Ja,existsSync as Va}from"fs";import{join as Qa}from"path";var lt=class extends g{name="make:plugin";description="Create a new plugin class";arguments=["name"];flags=[];async handle(e){let t=e[0];if(!t){this.error("Please provide a plugin name.");return}let s=t.endsWith("Plugin")?t:`${t}Plugin`,r=this.sharedDir("plugins");Ja(r,{recursive:!0});let i=Qa(r,`${s}.ts`);if(Va(i)){this.warn(`Plugin ${s} already exists.`);return}let a=s.replace(/([A-Z])/g,"-$1").toLowerCase().replace(/^-/,""),n=`import { Plugin } from '@beeblock/svelar/plugins';
|
|
478
478
|
import type { Container } from '@beeblock/svelar/container';
|
|
479
479
|
|
|
480
480
|
export class ${s} extends Plugin {
|
|
@@ -579,7 +579,7 @@ export class ${r} extends Command {
|
|
|
579
579
|
this.success('Done!');
|
|
580
580
|
}
|
|
581
581
|
}
|
|
582
|
-
`;an(a,l);let c=this.isDDD()?`src/lib/shared/commands/${r}.ts`:`src/lib/commands/${r}.ts`;this.success(`Command created: ${c}`),this.info(`Command name: ${n}`),this.newLine(),this.info("Your command will be auto-discovered. Run it with:"),this.log(` npx svelar ${n}`)}deriveCommandName(e){return`app:${e.replace(/Command$/,"").replace(/([a-z])([A-Z])/g,"$1-$2").replace(/([A-Z]+)([A-Z][a-z])/g,"$1-$2").toLowerCase()}`}};import{writeFileSync as cn,mkdirSync as dn,existsSync as un}from"fs";import{join as
|
|
582
|
+
`;an(a,l);let c=this.isDDD()?`src/lib/shared/commands/${r}.ts`:`src/lib/commands/${r}.ts`;this.success(`Command created: ${c}`),this.info(`Command name: ${n}`),this.newLine(),this.info("Your command will be auto-discovered. Run it with:"),this.log(` npx svelar ${n}`)}deriveCommandName(e){return`app:${e.replace(/Command$/,"").replace(/([a-z])([A-Z])/g,"$1-$2").replace(/([A-Z]+)([A-Z][a-z])/g,"$1-$2").toLowerCase()}`}};import{writeFileSync as cn,mkdirSync as dn,existsSync as un}from"fs";import{join as Fr}from"path";var mt=class extends g{name="make:config";description="Create a new config file";arguments=["name"];flags=[];templates={app:`import { env } from 'svelar/config';
|
|
583
583
|
|
|
584
584
|
export default {
|
|
585
585
|
name: env('APP_NAME', 'Svelar'),
|
|
@@ -788,7 +788,7 @@ export default {
|
|
|
788
788
|
},
|
|
789
789
|
},
|
|
790
790
|
};
|
|
791
|
-
`};async handle(e){let t=e[0];if(!t){this.error("Please provide a config file name. Example: npx svelar make:config database"),this.newLine(),this.info("Available presets: app, database, auth, mail, cache, queue, storage, broadcasting, logging");return}let s=
|
|
791
|
+
`};async handle(e){let t=e[0];if(!t){this.error("Please provide a config file name. Example: npx svelar make:config database"),this.newLine(),this.info("Available presets: app, database, auth, mail, cache, queue, storage, broadcasting, logging");return}let s=Fr(process.cwd(),"config");dn(s,{recursive:!0});let r=t.toLowerCase().replace(/\s+/g,"-"),i=Fr(s,`${r}.ts`);if(un(i)){this.warn(`Config file config/${r}.ts already exists.`);return}let a=this.templates[r]??this.blankTemplate(r);cn(i,a),this.success(`Config created: config/${r}.ts`),this.newLine(),this.info("Access it with:"),this.log(` config.get('${r}.key')`)}blankTemplate(e){return`import { env } from 'svelar/config';
|
|
792
792
|
|
|
793
793
|
export default {
|
|
794
794
|
// Add your ${e} configuration here
|
|
@@ -1248,7 +1248,7 @@ export class ${e} {
|
|
|
1248
1248
|
.toObject();
|
|
1249
1249
|
}
|
|
1250
1250
|
}
|
|
1251
|
-
`}deriveModuleName(e){return e.replace(/Resource$/,"").replace(/Collection$/,"").toLowerCase()}inferModelName(e){return e.replace(/Resource$/,"")||"Model"}};import{writeFileSync as xn,mkdirSync as
|
|
1251
|
+
`}deriveModuleName(e){return e.replace(/Resource$/,"").replace(/Collection$/,"").toLowerCase()}inferModelName(e){return e.replace(/Resource$/,"")||"Model"}};import{writeFileSync as xn,mkdirSync as Pn,existsSync as Sn}from"fs";import{join as Rn}from"path";var bt=class extends g{name="make:schema";description="Create a contract schema (Zod schemas + shared types)";arguments=["name"];flags=[{name:"module",description:"Module name (e.g. auth, billing)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a schema name (e.g. User, Post, Invoice).");return}let r=s.charAt(0).toUpperCase()+s.slice(1),i=this.toKebab(s)+".schema",a=t.module||s.toLowerCase(),n=this.moduleDir(a,"schemas");Pn(n,{recursive:!0});let l=Rn(n,`${i}.ts`);if(Sn(l)){let h=this.isDDD()?`src/lib/modules/${a}`:"src/lib/schemas";this.warn(`Schema already exists: ${h}/${i}.ts`);return}let c=this.generateSchema(r);xn(l,c);let m=this.isDDD()?`src/lib/modules/${a}`:"src/lib/schemas";this.success(`Schema created: ${m}/${i}.ts`),this.info(""),this.info(" Use this schema across your entire stack:"),this.info(""),this.info(` Resource: extends Resource<${r}, ${r}Data>`),this.info(` FormRequest: uses create${r}Schema / update${r}Schema`);let p=this.isDDD()?`$lib/modules/${a}/${i}`:`$lib/schemas/${i}`;this.info(` Frontend: import type { ${r}Data } from '${p}'`)}generateSchema(e){let t=e.charAt(0).toLowerCase()+e.slice(1),s=this.toKebab(e);return`import { z } from 'zod';
|
|
1252
1252
|
|
|
1253
1253
|
// \u2500\u2500 ${e} Contract Schema \u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500
|
|
1254
1254
|
//
|
|
@@ -1283,7 +1283,7 @@ export const update${e}Schema = create${e}Schema.partial();
|
|
|
1283
1283
|
export type ${e}Data = z.infer<typeof ${t}Schema>;
|
|
1284
1284
|
export type Create${e}Input = z.infer<typeof create${e}Schema>;
|
|
1285
1285
|
export type Update${e}Input = z.infer<typeof update${e}Schema>;
|
|
1286
|
-
`}toKebab(e){return e.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/([A-Z]+)([A-Z][a-z])/g,"$1-$2").toLowerCase()}};import{writeFileSync as Tn,mkdirSync as
|
|
1286
|
+
`}toKebab(e){return e.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/([A-Z]+)([A-Z][a-z])/g,"$1-$2").toLowerCase()}};import{writeFileSync as Tn,mkdirSync as En,existsSync as kn}from"fs";import{join as $n}from"path";var yt=class extends g{name="make:observer";description="Create a new model observer class";arguments=["name"];flags=[{name:"model",alias:"m",description:"The model class to observe",type:"string"},{name:"module",description:"Module name (e.g. users, posts)",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide an observer name (e.g. UserObserver).");return}let r=t.model||s.replace(/Observer$/,""),i=t.module||this.toSnakeCase(this.pluralize(r)),a=this.moduleDir(i,"observers");En(a,{recursive:!0});let n=$n(a,`${s}.ts`);if(kn(n)){this.warn(`Observer ${s} already exists at ${n}`);return}let l=this.isDDD()?`./${r}.js`:`../models/${r}.js`,c=`import { ModelObserver } from '@beeblock/svelar/orm';
|
|
1287
1287
|
import type { ${r} } from '${l}';
|
|
1288
1288
|
|
|
1289
1289
|
export class ${s} extends ModelObserver {
|
|
@@ -1358,8 +1358,8 @@ ${c}export class ${s} extends Listener<${m}> {
|
|
|
1358
1358
|
|
|
1359
1359
|
const ctrl = new ${t}();
|
|
1360
1360
|
${l}
|
|
1361
|
-
`;On(a,c),this.success(`Route created: src/routes/${e}/+server.ts`);for(let m of r)this.info(` ${m.method} /${e} \u2192 ${t}.${m.handler}()`)}inferControllerName(e){let t=e.replace(/^api\//,"").split("/").filter(a=>!a.startsWith("[")),s=t[t.length-1]||t[0]||"Index",r=this.singularize(s);return`${r.charAt(0).toUpperCase()+r.slice(1)}Controller`}inferModuleName(e){return e.replace(/^api\//,"").split("/").filter(s=>!s.startsWith("["))[0]||"app"}inferParamName(e){return"id"}defaultHandler(e){return{GET:"index",POST:"store",PUT:"update",PATCH:"update",DELETE:"destroy"}[e]||e.toLowerCase()}singularize(e){return e.endsWith("ies")?e.slice(0,-3)+"y":e.endsWith("ses")||e.endsWith("xes")||e.endsWith("zes")||e.endsWith("ches")||e.endsWith("shes")?e.slice(0,-2):e.endsWith("s")&&!e.endsWith("ss")?e.slice(0,-1):e}};import{join as Vr,relative as Cs,sep as xs}from"path";import{existsSync as
|
|
1362
|
-
`);let a=Math.max(6,...i.map(m=>m.method.length)),n=Math.max(4,...i.map(m=>m.path.length)),l=Math.max(7,...i.map(m=>m.handler.length)),c=` ${"METHOD".padEnd(a)} ${"PATH".padEnd(n)} ${"HANDLER".padEnd(l)} FILE`;this.log(`\x1B[2m${c}\x1B[0m`),this.log(`\x1B[2m ${"\u2500".repeat(a)} ${"\u2500".repeat(n)} ${"\u2500".repeat(l)} ${"\u2500".repeat(20)}\x1B[0m`);for(let m of i){let h=`${this.getMethodColor(m.method)}${m.method.padEnd(a)}\x1B[0m`,u=m.path.padEnd(n),b=`\x1B[2m${m.handler.padEnd(l)}\x1B[0m`,y=`\x1B[2m${m.file}\x1B[0m`;this.log(` ${h} ${u} ${b} ${y}`)}this.log("")}scanRoutes(e,t){let s=[],r=Bn(e);for(let i of r){let a=Vr(e,i);if(Hn(a).isDirectory()){s.push(...this.scanRoutes(a,t));continue}i==="+server.ts"||i==="+server.js"?s.push(...this.parseServerFile(a,t)):(i==="+page.server.ts"||i==="+page.server.js")&&s.push(...this.parsePageServerFile(a,t))}return s}parseServerFile(e,t){let s=[],r=Qr(e,"utf-8"),i=this.filePathToUrl(e,t),a=Cs(process.cwd(),e).split(xs).join("/"),n=/export\s+(?:const|function)\s+(GET|POST|PUT|PATCH|DELETE|HEAD|OPTIONS)\b/g,l;for(;(l=n.exec(r))!==null;){let c=l[1],m=this.extractHandler(r,c);s.push({method:c,path:i,handler:m,file:a})}return s}parsePageServerFile(e,t){let s=[],r=Qr(e,"utf-8"),i=this.filePathToUrl(e,t),a=Cs(process.cwd(),e).split(xs).join("/");/export\s+(const|async\s+function)\s+load\b/.test(r)&&s.push({method:"GET",path:i,handler:"load()",file:a});let n=r.match(/export\s+const\s+actions\s*=\s*\{([^}]+)\}/);if(n){let l=n[1].split(",").map(c=>c.trim().split(":")[0].split("(")[0].trim()).filter(Boolean);for(let c of l)s.push({method:"POST",path:c==="default"?i:`${i}?/${c}`,handler:`actions.${c}()`,file:a})}return s}filePathToUrl(e,t){let s=Cs(t,e).split(xs).join("/");return s=s.replace(/\/?\+(?:server|page\.server)\.[tj]s$/,""),s=s.replace(/\[\.\.\.(\w+)\]/g,"*$1").replace(/\[\[(\w+)\]\]/g,":$1?").replace(/\[(\w+)\]/g,":$1"),s=s.replace(/\([^)]+\)\//g,""),"/"+s||"/"}extractHandler(e,t){let s=new RegExp(`export\\s+const\\s+${t}\\s*=\\s*(\\w+)\\.handle\\(['"]([^'"]+)['"]\\)`),r=e.match(s);if(r)return`${r[1]}.${r[2]}()`;let i=new RegExp(`const\\s*\\{[^}]*${t}[^}]*\\}\\s*=\\s*resource\\(\\s*(\\w+)`),a=e.match(i);return a?`${a[1]}.${{GET:"index/show",POST:"store",PUT:"update",PATCH:"update",DELETE:"destroy"}[t]??t.toLowerCase()}()`:new RegExp(`export\\s+(?:const|async\\s+function)\\s+${t}\\s*(?:=\\s*async)?`).test(e)?"inline handler":"handler"}getMethodColor(e){return{GET:"\x1B[32m",POST:"\x1B[33m",PUT:"\x1B[34m",PATCH:"\x1B[34m",DELETE:"\x1B[31m",HEAD:"\x1B[2m",OPTIONS:"\x1B[2m"}[e]||""}};import{readdirSync as zn}from"fs";import{join as Zr}from"path";import{pathToFileURL as Kn}from"url";var St=class extends g{name="migrate";description="Run pending database migrations";flags=[{name:"rollback",description:"Rollback the last batch of migrations",type:"boolean"},{name:"reset",description:"Reset all migrations",type:"boolean"},{name:"refresh",description:"Reset and re-run all migrations",type:"boolean"},{name:"fresh",description:"Drop all tables and re-run all migrations",type:"boolean"},{name:"status",description:"Show migration status",type:"boolean"},{name:"seed",description:"Run seeders after migrating",type:"boolean"},{name:"force",description:"Force destructive operations in production",type:"boolean"}];destructiveFlags=["reset","refresh","fresh"];async handle(e,t){await this.bootstrap();let s=this.destructiveFlags.find(c=>t[c]);s&&this.isProduction()&&!t.force&&(this.error(`The --${s} flag is destructive and cannot be run in production.`),this.error(`Use --force to run this command in production: npx svelar migrate --${s} --force`),process.exit(1));let{Migrator:r}=await Promise.resolve().then(()=>(Rs(),Yr)),i=new r,a=Zr(process.cwd(),"src","lib","database","migrations"),n=await this.loadMigrations(a);if(t.status){let c=await i.status(n);this.table(["Migration","Status","Batch"],c.map(m=>[m.name,m.ran?"\x1B[32mRan\x1B[0m":"\x1B[33mPending\x1B[0m",m.batch?.toString()??"-"]));return}if(t.rollback){this.info("Rolling back last batch...");let c=await i.rollback(n);if(c.length===0)this.info("Nothing to rollback.");else for(let m of c)this.success(`Rolled back: ${m}`);return}if(t.reset){this.warnDestructive("reset"),this.info("Resetting all migrations...");let c=await i.reset(n);if(c.length===0)this.info("Nothing to reset.");else for(let m of c)this.success(`Rolled back: ${m}`);return}if(t.refresh){this.warnDestructive("refresh"),this.info("Refreshing migrations...");let c=await i.refresh(n);for(let m of c.reset)this.success(`Rolled back: ${m}`);for(let m of c.migrated)this.success(`Migrated: ${m}`);return}if(t.fresh){this.warnDestructive("fresh"),this.info("Dropping all tables...");let c=await i.fresh(n);if(c.dropped.length>0)for(let m of c.dropped)this.success(`Dropped table: ${m}`);this.newLine(),this.info("Re-running all migrations...");for(let m of c.migrated)this.success(`Migrated: ${m}`);return}this.info("Running migrations...");let l=await i.run(n);if(l.length===0)this.info("Nothing to migrate.");else for(let c of l)this.success(`Migrated: ${c}`)}isProduction(){return(process.env.NODE_ENV||process.env.APP_ENV||"development")==="production"}warnDestructive(e){this.isProduction()&&this.warn(`Running --${e} in PRODUCTION with --force.`)}async loadMigrations(e){let t;try{t=zn(e).filter(r=>r.endsWith(".ts")||r.endsWith(".js")).sort()}catch{return this.warn(`Migrations directory not found: ${e}`),[]}let s=[];for(let r of t){let i=Zr(e,r);try{let a=await import(Kn(i).href),n=a.default??Object.values(a).find(l=>typeof l=="function"&&l.prototype&&typeof l.prototype.up=="function");n?s.push({name:r.replace(/\.(ts|js)$/,""),timestamp:r.split("_")[0],path:i,migration:new n}):this.warn(`No migration class found in: ${r}`)}catch(a){let n;try{n=a instanceof Error?a.message:String(a)}catch{n=JSON.stringify(a)??"Unknown error (non-stringifiable object)"}this.error(`Failed to load migration ${r}: ${n}`)}}return s}};import{join as Ts}from"path";import{pathToFileURL as Wn}from"url";import{existsSync as Xr}from"fs";var Pt=class extends g{name="seed:run";description="Run database seeders";flags=[{name:"class",description:"Specific seeder class to run",type:"string"}];async handle(e,t){await this.bootstrap();let s=Ts(process.cwd(),"src","lib","database","seeders"),r=t.class?Ts(s,`${t.class}.ts`):Ts(s,"DatabaseSeeder.ts"),i=r;Xr(i)||(i=i.replace(/\.ts$/,".js")),Xr(i)||(this.error(`Seeder not found: ${r}`),process.exit(1)),this.info("Running seeders...");try{let a=await import(Wn(i).href),n=a.default??a.DatabaseSeeder??Object.values(a).find(c=>typeof c=="function"&&c.prototype&&typeof c.prototype.run=="function");(!n||typeof n!="function")&&(this.error("No seeder class found in file."),process.exit(1)),await new n().run(),this.success("Database seeded successfully.")}catch(a){let n=a instanceof Error?a.message:String(a);this.error(`Seeding failed: ${n}`),a?.stack&&console.error(a.stack),process.exit(1)}}};import{existsSync as Gn,readdirSync as Yn}from"fs";import{join as $s}from"path";import{pathToFileURL as Zn}from"url";var kt=class extends g{name="schedule:run";description="Run the task scheduler";flags=[{name:"once",description:"Run due tasks once and exit",type:"boolean"}];async handle(e,t){await this.bootstrap();let{Scheduler:s}=await Promise.resolve().then(()=>(ri(),si)),r=new s;r.persistToDatabase();let i=$s(process.cwd(),"src","lib","shared","scheduler"),a=$s(process.cwd(),"src","lib","scheduler"),n=Gn(i)?i:a,l=await this.loadTasks(n);if(l.length===0){this.warn("No scheduled tasks found in src/lib/shared/scheduler/ or src/lib/scheduler/");return}for(let p of l)r.register(p),this.info(`Registered task: ${p.name}`);if(this.newLine(),t.once){this.info("Running due tasks (once)...");let p=await r.run();if(p.length===0)this.info("No tasks were due.");else for(let h of p)h.success?this.success(`${h.task}: completed in ${h.duration}ms`):this.error(`${h.task}: failed \u2014 ${h.error}`);return}this.info("Scheduler running. Press Ctrl+C to stop."),this.newLine();let c=async()=>{let p=await r.run();for(let h of p){let u=new Date().toISOString().replace("T"," ").slice(0,19);h.success?this.success(`[${u}] ${h.task}: completed in ${h.duration}ms`):this.error(`[${u}] ${h.task}: failed \u2014 ${h.error}`)}};await c();let m=6e4-Date.now()%6e4;this.info(`Next tick aligned to minute boundary in ${Math.round(m/1e3)}s.`),await new Promise(p=>setTimeout(p,m)),await c(),setInterval(c,6e4),await new Promise(()=>{})}async loadTasks(e){let t;try{t=Yn(e).filter(r=>(r.endsWith(".ts")||r.endsWith(".js"))&&!r.startsWith("index")).sort()}catch{return[]}let s=[];for(let r of t){let i=$s(e,r);try{let a=await import(Zn(i).href),n=a.default??Object.values(a).find(l=>typeof l=="function"&&l.prototype&&typeof l.prototype.handle=="function");if(n){let l=new n;l.schedule(),s.push(l)}}catch(a){this.error(`Failed to load task ${r}: ${a.message??a}`)}}return s}};var At=class extends g{name="queue:work";description="Process queued jobs";flags=[{name:"queue",description:'Queue name to process (default: "default")',type:"string",default:"default"},{name:"max-jobs",description:"Stop after processing N jobs",type:"string"},{name:"max-time",description:"Stop after N seconds",type:"string"},{name:"sleep",description:"Sleep N milliseconds between polls (default: 1000)",type:"string",default:"1000"},{name:"once",description:"Process a single job and exit",type:"boolean"}];async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le)),r=t.queue??"default",i=t["max-jobs"]?parseInt(t["max-jobs"]):void 0,a=t["max-time"]?parseInt(t["max-time"]):void 0,n=t.sleep?parseInt(t.sleep):1e3;if(this.info(`Processing queue "${r}"...`),i&&this.info(`Will stop after ${i} jobs.`),a&&this.info(`Will stop after ${a} seconds.`),this.newLine(),t.once){let m=await s.work({queue:r,maxJobs:1,sleep:0});m===0?this.info("No jobs to process."):this.success(`Processed ${m} job(s).`);return}this.info(`Worker running on "${r}". Press Ctrl+C to stop.`),this.newLine();let l=Date.now(),c=0;for(;;){if(a&&(Date.now()-l)/1e3>=a){this.info(`Max time (${a}s) reached. Stopping.`);break}if(i&&c>=i){this.info(`Max jobs (${i}) reached. Stopping.`);break}let m=await s.work({queue:r,maxJobs:1,sleep:0});if(m>0){c+=m;let p=new Date().toISOString().replace("T"," ").slice(0,19);this.success(`[${p}] Processed ${m} job(s) (total: ${c})`)}else await new Promise(p=>setTimeout(p,n))}this.newLine(),this.info(`Worker stopped. Total jobs processed: ${c}`)}};var Dt=class extends g{name="queue:failed";description="List all failed jobs";async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le)),r=await s.failed();if(r.length===0){this.info("No failed jobs.");return}this.info(`Found ${r.length} failed job(s):
|
|
1361
|
+
`;On(a,c),this.success(`Route created: src/routes/${e}/+server.ts`);for(let m of r)this.info(` ${m.method} /${e} \u2192 ${t}.${m.handler}()`)}inferControllerName(e){let t=e.replace(/^api\//,"").split("/").filter(a=>!a.startsWith("[")),s=t[t.length-1]||t[0]||"Index",r=this.singularize(s);return`${r.charAt(0).toUpperCase()+r.slice(1)}Controller`}inferModuleName(e){return e.replace(/^api\//,"").split("/").filter(s=>!s.startsWith("["))[0]||"app"}inferParamName(e){return"id"}defaultHandler(e){return{GET:"index",POST:"store",PUT:"update",PATCH:"update",DELETE:"destroy"}[e]||e.toLowerCase()}singularize(e){return e.endsWith("ies")?e.slice(0,-3)+"y":e.endsWith("ses")||e.endsWith("xes")||e.endsWith("zes")||e.endsWith("ches")||e.endsWith("shes")?e.slice(0,-2):e.endsWith("s")&&!e.endsWith("ss")?e.slice(0,-1):e}};import{join as Vr,relative as Cs,sep as xs}from"path";import{existsSync as Bn,readdirSync as Fn,readFileSync as Qr,statSync as Hn}from"fs";var xt=class extends g{name="routes:list";description="List all registered routes";arguments=[];flags=[{name:"json",description:"Output as JSON",type:"boolean"},{name:"api",description:"Show only API routes",type:"boolean"},{name:"method",alias:"m",description:"Filter by HTTP method (GET, POST, etc.)",type:"string"}];async handle(e,t){let s=Vr(process.cwd(),"src","routes");if(!Bn(s)){this.error("No src/routes/ directory found.");return}let i=this.scanRoutes(s,s);if(t.api&&(i=i.filter(m=>m.path.startsWith("/api"))),t.method){let m=t.method.toUpperCase();i=i.filter(p=>p.method===m)}if(i.sort((m,p)=>m.path.localeCompare(p.path)||m.method.localeCompare(p.method)),i.length===0){this.warn("No routes found.");return}if(t.json){this.log(JSON.stringify(i,null,2));return}this.log(""),this.log(` \x1B[1mApplication Routes\x1B[0m (${i.length} routes)
|
|
1362
|
+
`);let a=Math.max(6,...i.map(m=>m.method.length)),n=Math.max(4,...i.map(m=>m.path.length)),l=Math.max(7,...i.map(m=>m.handler.length)),c=` ${"METHOD".padEnd(a)} ${"PATH".padEnd(n)} ${"HANDLER".padEnd(l)} FILE`;this.log(`\x1B[2m${c}\x1B[0m`),this.log(`\x1B[2m ${"\u2500".repeat(a)} ${"\u2500".repeat(n)} ${"\u2500".repeat(l)} ${"\u2500".repeat(20)}\x1B[0m`);for(let m of i){let h=`${this.getMethodColor(m.method)}${m.method.padEnd(a)}\x1B[0m`,u=m.path.padEnd(n),b=`\x1B[2m${m.handler.padEnd(l)}\x1B[0m`,y=`\x1B[2m${m.file}\x1B[0m`;this.log(` ${h} ${u} ${b} ${y}`)}this.log("")}scanRoutes(e,t){let s=[],r=Fn(e);for(let i of r){let a=Vr(e,i);if(Hn(a).isDirectory()){s.push(...this.scanRoutes(a,t));continue}i==="+server.ts"||i==="+server.js"?s.push(...this.parseServerFile(a,t)):(i==="+page.server.ts"||i==="+page.server.js")&&s.push(...this.parsePageServerFile(a,t))}return s}parseServerFile(e,t){let s=[],r=Qr(e,"utf-8"),i=this.filePathToUrl(e,t),a=Cs(process.cwd(),e).split(xs).join("/"),n=/export\s+(?:const|function)\s+(GET|POST|PUT|PATCH|DELETE|HEAD|OPTIONS)\b/g,l;for(;(l=n.exec(r))!==null;){let c=l[1],m=this.extractHandler(r,c);s.push({method:c,path:i,handler:m,file:a})}return s}parsePageServerFile(e,t){let s=[],r=Qr(e,"utf-8"),i=this.filePathToUrl(e,t),a=Cs(process.cwd(),e).split(xs).join("/");/export\s+(const|async\s+function)\s+load\b/.test(r)&&s.push({method:"GET",path:i,handler:"load()",file:a});let n=r.match(/export\s+const\s+actions\s*=\s*\{([^}]+)\}/);if(n){let l=n[1].split(",").map(c=>c.trim().split(":")[0].split("(")[0].trim()).filter(Boolean);for(let c of l)s.push({method:"POST",path:c==="default"?i:`${i}?/${c}`,handler:`actions.${c}()`,file:a})}return s}filePathToUrl(e,t){let s=Cs(t,e).split(xs).join("/");return s=s.replace(/\/?\+(?:server|page\.server)\.[tj]s$/,""),s=s.replace(/\[\.\.\.(\w+)\]/g,"*$1").replace(/\[\[(\w+)\]\]/g,":$1?").replace(/\[(\w+)\]/g,":$1"),s=s.replace(/\([^)]+\)\//g,""),"/"+s||"/"}extractHandler(e,t){let s=new RegExp(`export\\s+const\\s+${t}\\s*=\\s*(\\w+)\\.handle\\(['"]([^'"]+)['"]\\)`),r=e.match(s);if(r)return`${r[1]}.${r[2]}()`;let i=new RegExp(`const\\s*\\{[^}]*${t}[^}]*\\}\\s*=\\s*resource\\(\\s*(\\w+)`),a=e.match(i);return a?`${a[1]}.${{GET:"index/show",POST:"store",PUT:"update",PATCH:"update",DELETE:"destroy"}[t]??t.toLowerCase()}()`:new RegExp(`export\\s+(?:const|async\\s+function)\\s+${t}\\s*(?:=\\s*async)?`).test(e)?"inline handler":"handler"}getMethodColor(e){return{GET:"\x1B[32m",POST:"\x1B[33m",PUT:"\x1B[34m",PATCH:"\x1B[34m",DELETE:"\x1B[31m",HEAD:"\x1B[2m",OPTIONS:"\x1B[2m"}[e]||""}};import{readdirSync as zn}from"fs";import{join as Zr}from"path";import{pathToFileURL as Kn}from"url";var Pt=class extends g{name="migrate";description="Run pending database migrations";flags=[{name:"rollback",description:"Rollback the last batch of migrations",type:"boolean"},{name:"reset",description:"Reset all migrations",type:"boolean"},{name:"refresh",description:"Reset and re-run all migrations",type:"boolean"},{name:"fresh",description:"Drop all tables and re-run all migrations",type:"boolean"},{name:"status",description:"Show migration status",type:"boolean"},{name:"seed",description:"Run seeders after migrating",type:"boolean"},{name:"force",description:"Force destructive operations in production",type:"boolean"}];destructiveFlags=["reset","refresh","fresh"];async handle(e,t){await this.bootstrap();let s=this.destructiveFlags.find(c=>t[c]);s&&this.isProduction()&&!t.force&&(this.error(`The --${s} flag is destructive and cannot be run in production.`),this.error(`Use --force to run this command in production: npx svelar migrate --${s} --force`),process.exit(1));let{Migrator:r}=await Promise.resolve().then(()=>(Rs(),Yr)),i=new r,a=Zr(process.cwd(),"src","lib","database","migrations"),n=await this.loadMigrations(a);if(t.status){let c=await i.status(n);this.table(["Migration","Status","Batch"],c.map(m=>[m.name,m.ran?"\x1B[32mRan\x1B[0m":"\x1B[33mPending\x1B[0m",m.batch?.toString()??"-"]));return}if(t.rollback){this.info("Rolling back last batch...");let c=await i.rollback(n);if(c.length===0)this.info("Nothing to rollback.");else for(let m of c)this.success(`Rolled back: ${m}`);return}if(t.reset){this.warnDestructive("reset"),this.info("Resetting all migrations...");let c=await i.reset(n);if(c.length===0)this.info("Nothing to reset.");else for(let m of c)this.success(`Rolled back: ${m}`);return}if(t.refresh){this.warnDestructive("refresh"),this.info("Refreshing migrations...");let c=await i.refresh(n);for(let m of c.reset)this.success(`Rolled back: ${m}`);for(let m of c.migrated)this.success(`Migrated: ${m}`);return}if(t.fresh){this.warnDestructive("fresh"),this.info("Dropping all tables...");let c=await i.fresh(n);if(c.dropped.length>0)for(let m of c.dropped)this.success(`Dropped table: ${m}`);this.newLine(),this.info("Re-running all migrations...");for(let m of c.migrated)this.success(`Migrated: ${m}`);return}this.info("Running migrations...");let l=await i.run(n);if(l.length===0)this.info("Nothing to migrate.");else for(let c of l)this.success(`Migrated: ${c}`)}isProduction(){return(process.env.NODE_ENV||process.env.APP_ENV||"development")==="production"}warnDestructive(e){this.isProduction()&&this.warn(`Running --${e} in PRODUCTION with --force.`)}async loadMigrations(e){let t;try{t=zn(e).filter(r=>r.endsWith(".ts")||r.endsWith(".js")).sort()}catch{return this.warn(`Migrations directory not found: ${e}`),[]}let s=[];for(let r of t){let i=Zr(e,r);try{let a=await import(Kn(i).href),n=a.default??Object.values(a).find(l=>typeof l=="function"&&l.prototype&&typeof l.prototype.up=="function");n?s.push({name:r.replace(/\.(ts|js)$/,""),timestamp:r.split("_")[0],path:i,migration:new n}):this.warn(`No migration class found in: ${r}`)}catch(a){let n;try{n=a instanceof Error?a.message:String(a)}catch{n=JSON.stringify(a)??"Unknown error (non-stringifiable object)"}this.error(`Failed to load migration ${r}: ${n}`)}}return s}};import{join as Ts}from"path";import{pathToFileURL as Wn}from"url";import{existsSync as Xr}from"fs";var St=class extends g{name="seed:run";description="Run database seeders";flags=[{name:"class",description:"Specific seeder class to run",type:"string"}];async handle(e,t){await this.bootstrap();let s=Ts(process.cwd(),"src","lib","database","seeders"),r=t.class?Ts(s,`${t.class}.ts`):Ts(s,"DatabaseSeeder.ts"),i=r;Xr(i)||(i=i.replace(/\.ts$/,".js")),Xr(i)||(this.error(`Seeder not found: ${r}`),process.exit(1)),this.info("Running seeders...");try{let a=await import(Wn(i).href),n=a.default??a.DatabaseSeeder??Object.values(a).find(c=>typeof c=="function"&&c.prototype&&typeof c.prototype.run=="function");(!n||typeof n!="function")&&(this.error("No seeder class found in file."),process.exit(1)),await new n().run(),this.success("Database seeded successfully.")}catch(a){let n=a instanceof Error?a.message:String(a);this.error(`Seeding failed: ${n}`),a?.stack&&console.error(a.stack),process.exit(1)}}};import{existsSync as Gn,readdirSync as Yn}from"fs";import{join as $s}from"path";import{pathToFileURL as Zn}from"url";var Et=class extends g{name="schedule:run";description="Run the task scheduler";flags=[{name:"once",description:"Run due tasks once and exit",type:"boolean"}];async handle(e,t){await this.bootstrap();let{Scheduler:s}=await Promise.resolve().then(()=>(ri(),si)),r=new s;r.persistToDatabase();let i=$s(process.cwd(),"src","lib","shared","scheduler"),a=$s(process.cwd(),"src","lib","scheduler"),n=Gn(i)?i:a,l=await this.loadTasks(n);if(l.length===0){this.warn("No scheduled tasks found in src/lib/shared/scheduler/ or src/lib/scheduler/");return}for(let p of l)r.register(p),this.info(`Registered task: ${p.name}`);if(this.newLine(),t.once){this.info("Running due tasks (once)...");let p=await r.run();if(p.length===0)this.info("No tasks were due.");else for(let h of p)h.success?this.success(`${h.task}: completed in ${h.duration}ms`):this.error(`${h.task}: failed \u2014 ${h.error}`);return}this.info("Scheduler running. Press Ctrl+C to stop."),this.newLine();let c=async()=>{let p=await r.run();for(let h of p){let u=new Date().toISOString().replace("T"," ").slice(0,19);h.success?this.success(`[${u}] ${h.task}: completed in ${h.duration}ms`):this.error(`[${u}] ${h.task}: failed \u2014 ${h.error}`)}};await c();let m=6e4-Date.now()%6e4;this.info(`Next tick aligned to minute boundary in ${Math.round(m/1e3)}s.`),await new Promise(p=>setTimeout(p,m)),await c(),setInterval(c,6e4),await new Promise(()=>{})}async loadTasks(e){let t;try{t=Yn(e).filter(r=>(r.endsWith(".ts")||r.endsWith(".js"))&&!r.startsWith("index")).sort()}catch{return[]}let s=[];for(let r of t){let i=$s(e,r);try{let a=await import(Zn(i).href),n=a.default??Object.values(a).find(l=>typeof l=="function"&&l.prototype&&typeof l.prototype.handle=="function");if(n){let l=new n;l.schedule(),s.push(l)}}catch(a){this.error(`Failed to load task ${r}: ${a.message??a}`)}}return s}};var At=class extends g{name="queue:work";description="Process queued jobs";flags=[{name:"queue",description:'Queue name to process (default: "default")',type:"string",default:"default"},{name:"max-jobs",description:"Stop after processing N jobs",type:"string"},{name:"max-time",description:"Stop after N seconds",type:"string"},{name:"sleep",description:"Sleep N milliseconds between polls (default: 1000)",type:"string",default:"1000"},{name:"once",description:"Process a single job and exit",type:"boolean"}];async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le)),r=t.queue??"default",i=t["max-jobs"]?parseInt(t["max-jobs"]):void 0,a=t["max-time"]?parseInt(t["max-time"]):void 0,n=t.sleep?parseInt(t.sleep):1e3;if(this.info(`Processing queue "${r}"...`),i&&this.info(`Will stop after ${i} jobs.`),a&&this.info(`Will stop after ${a} seconds.`),this.newLine(),t.once){let m=await s.work({queue:r,maxJobs:1,sleep:0});m===0?this.info("No jobs to process."):this.success(`Processed ${m} job(s).`);return}this.info(`Worker running on "${r}". Press Ctrl+C to stop.`),this.newLine();let l=Date.now(),c=0;for(;;){if(a&&(Date.now()-l)/1e3>=a){this.info(`Max time (${a}s) reached. Stopping.`);break}if(i&&c>=i){this.info(`Max jobs (${i}) reached. Stopping.`);break}let m=await s.work({queue:r,maxJobs:1,sleep:0});if(m>0){c+=m;let p=new Date().toISOString().replace("T"," ").slice(0,19);this.success(`[${p}] Processed ${m} job(s) (total: ${c})`)}else await new Promise(p=>setTimeout(p,n))}this.newLine(),this.info(`Worker stopped. Total jobs processed: ${c}`)}};var Dt=class extends g{name="queue:failed";description="List all failed jobs";async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le)),r=await s.failed();if(r.length===0){this.info("No failed jobs.");return}this.info(`Found ${r.length} failed job(s):
|
|
1363
1363
|
`);for(let i of r){let a=new Date(i.failedAt*1e3).toISOString().replace("T"," ").slice(0,19);this.log(` ID: ${i.id}`),this.log(` Job: ${i.jobClass}`),this.log(` Queue: ${i.queue}`),this.log(` Date: ${a}`),this.log(` Error: ${i.exception.split(`
|
|
1364
1364
|
`)[0]}`),this.log("")}}};var Lt=class extends g{name="queue:retry";description="Retry a failed job (or all failed jobs)";arguments=["id"];flags=[{name:"all",description:"Retry all failed jobs",type:"boolean",default:!1}];async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le));if(t.all){let a=await s.retryAll();a===0?this.info("No failed jobs to retry."):this.success(`Retried ${a} job(s).`);return}let r=e[0];r||(this.error("Please provide a failed job ID, or use --all to retry all."),process.exit(1)),await s.retry(r)?this.success(`Job ${r} has been pushed back onto the queue.`):this.error(`Failed job with ID "${r}" not found.`)}};var _t=class extends g{name="queue:flush";description="Delete all failed job records";async handle(e,t){await this.bootstrap();let{Queue:s}=await Promise.resolve().then(()=>(ee(),Le)),r=await s.flushFailed();r===0?this.info("No failed jobs to flush."):this.success(`Flushed ${r} failed job record(s).`)}};var os=class extends g{name="tinker";description="Start an interactive REPL with Svelar preloaded";flags=[];async handle(){await this.bootstrap(),this.info("Starting Svelar Tinker..."),this.log(`Type .exit to quit. All Svelar modules are available.
|
|
1365
1365
|
`);let t=(await import("repl")).start({prompt:"\x1B[36msvelar>\x1B[0m ",useGlobal:!0});try{let s=await Promise.resolve().then(()=>(ea(),Xi));for(let[r,i]of Object.entries(s))t.context[r]=i;t.context.DB=s.Connection,t.context.Schema=s.Schema,this.log("Available: Model, QueryBuilder, Connection, Schema, Hash, Cache, Event, Log, ..."),this.log("")}catch(s){this.warn(`Could not preload all modules: ${s.message}`)}try{let{readdirSync:s}=await import("fs"),{join:r}=await import("path"),{pathToFileURL:i}=await import("url"),{existsSync:a}=await import("fs"),n=r(process.cwd(),"src","lib","models"),l=r(process.cwd(),"src","lib","modules"),c=[],m=n;if(a(n))m=n,c=s(n).filter(p=>(p.endsWith(".ts")||p.endsWith(".js"))&&!p.startsWith("index"));else if(a(l)){m=l;for(let p of s(l,{withFileTypes:!0})){if(!p.isDirectory())continue;let h=r(l,p.name);for(let u of s(h))(u.endsWith(".ts")||u.endsWith(".js"))&&(u.startsWith("index")||u.includes("Controller")||u.includes("Service")||u.includes("Repository")||u.includes("Request")||u.includes("Resource")||u.includes("schema")||u.includes("gates")||c.push(r(p.name,u)))}}for(let p of c)try{let h=await import(i(r(m,p)).href);for(let[u,b]of Object.entries(h))typeof b=="function"&&(t.context[u]=b)}catch{}c.length>0&&this.log(`Loaded models: ${c.map(p=>p.replace(/\.(ts|js)$/,"")).join(", ")}`)}catch{}await new Promise(s=>{t.on("exit",s)})}};var d=class{static packageJson(e,t="0.4.0"){return JSON.stringify({name:e,version:"0.0.1",private:!0,type:"module",scripts:{dev:"vite dev",build:"vite build",preview:"vite preview",migrate:"npx svelar migrate","migrate:rollback":"npx svelar migrate --rollback","migrate:refresh":"npx svelar migrate --refresh",seed:"npx svelar seed:run"},devDependencies:{"@sveltejs/adapter-auto":"^3.0.0","@sveltejs/kit":"^2.55.0","@sveltejs/vite-plugin-svelte":"^5.0.0","@tailwindcss/vite":"^4.2.2","lucide-svelte":"^0.468.0",svelte:"^5.0.0","svelte-check":"^4.0.0",tailwindcss:"^4.2.2",typescript:"^5.7.0",vite:"^6.0.0"},dependencies:{"better-sqlite3":"^11.0.0","drizzle-orm":"^0.38.0","@beeblock/svelar":`^${t}`,exceljs:"^4.4.0",pdfkit:"^0.18.0","sveltekit-superforms":"^2.22.0",zod:"^3.23.0"}},null,2)+`
|
|
@@ -3828,7 +3828,7 @@ export const actions: Actions = {
|
|
|
3828
3828
|
let codeSent = $state(false);
|
|
3829
3829
|
let email = $state('');
|
|
3830
3830
|
|
|
3831
|
-
const
|
|
3831
|
+
const { form: requestForm, errors: requestErrors, enhance: requestEnhance, delayed: requestDelayed } = superForm(data.requestForm, {
|
|
3832
3832
|
onResult: ({ result }) => {
|
|
3833
3833
|
if (result.type === 'success' && result.data?.codeSent) {
|
|
3834
3834
|
codeSent = true;
|
|
@@ -3837,7 +3837,7 @@ export const actions: Actions = {
|
|
|
3837
3837
|
},
|
|
3838
3838
|
});
|
|
3839
3839
|
|
|
3840
|
-
const
|
|
3840
|
+
const { form: verifyForm, errors: verifyErrors, enhance: verifyEnhance, delayed: verifyDelayed, message: verifyMessage } = superForm(data.verifyForm);
|
|
3841
3841
|
</script>
|
|
3842
3842
|
|
|
3843
3843
|
<svelte:head>
|
|
@@ -3858,14 +3858,14 @@ export const actions: Actions = {
|
|
|
3858
3858
|
</CardHeader>
|
|
3859
3859
|
|
|
3860
3860
|
<CardContent class="space-y-4">
|
|
3861
|
-
{#if
|
|
3861
|
+
{#if $verifyMessage}
|
|
3862
3862
|
<Alert variant="destructive">
|
|
3863
|
-
<span class="text-sm">{
|
|
3863
|
+
<span class="text-sm">{$verifyMessage}</span>
|
|
3864
3864
|
</Alert>
|
|
3865
3865
|
{/if}
|
|
3866
3866
|
|
|
3867
3867
|
{#if !codeSent}
|
|
3868
|
-
<form method="POST" action="?/send" use:
|
|
3868
|
+
<form method="POST" action="?/send" use:requestEnhance class="space-y-4">
|
|
3869
3869
|
<div class="space-y-2">
|
|
3870
3870
|
<Label for="email">Email</Label>
|
|
3871
3871
|
<Input
|
|
@@ -3873,21 +3873,21 @@ export const actions: Actions = {
|
|
|
3873
3873
|
name="email"
|
|
3874
3874
|
type="email"
|
|
3875
3875
|
placeholder="you@example.com"
|
|
3876
|
-
bind:value={
|
|
3877
|
-
aria-invalid={
|
|
3878
|
-
disabled={
|
|
3876
|
+
bind:value={$requestForm.email}
|
|
3877
|
+
aria-invalid={$requestErrors.email ? 'true' : undefined}
|
|
3878
|
+
disabled={$requestDelayed}
|
|
3879
3879
|
/>
|
|
3880
|
-
{#if
|
|
3881
|
-
<p class="text-sm text-red-600">{
|
|
3880
|
+
{#if $requestErrors.email}
|
|
3881
|
+
<p class="text-sm text-red-600">{$requestErrors.email[0]}</p>
|
|
3882
3882
|
{/if}
|
|
3883
3883
|
</div>
|
|
3884
3884
|
|
|
3885
|
-
<Button type="submit" class="w-full" disabled={
|
|
3886
|
-
{
|
|
3885
|
+
<Button type="submit" class="w-full" disabled={$requestDelayed}>
|
|
3886
|
+
{$requestDelayed ? 'Sending...' : 'Send Code'}
|
|
3887
3887
|
</Button>
|
|
3888
3888
|
</form>
|
|
3889
3889
|
{:else}
|
|
3890
|
-
<form method="POST" action="?/verify" use:
|
|
3890
|
+
<form method="POST" action="?/verify" use:verifyEnhance class="space-y-4">
|
|
3891
3891
|
<input type="hidden" name="email" value={email} />
|
|
3892
3892
|
|
|
3893
3893
|
<div class="space-y-2">
|
|
@@ -3900,18 +3900,18 @@ export const actions: Actions = {
|
|
|
3900
3900
|
pattern="[0-9]*"
|
|
3901
3901
|
maxlength={6}
|
|
3902
3902
|
placeholder="000000"
|
|
3903
|
-
bind:value={
|
|
3904
|
-
aria-invalid={
|
|
3905
|
-
disabled={
|
|
3903
|
+
bind:value={$verifyForm.code}
|
|
3904
|
+
aria-invalid={$verifyErrors.code ? 'true' : undefined}
|
|
3905
|
+
disabled={$verifyDelayed}
|
|
3906
3906
|
class="text-center text-2xl tracking-[0.5em] font-mono"
|
|
3907
3907
|
/>
|
|
3908
|
-
{#if
|
|
3909
|
-
<p class="text-sm text-red-600">{
|
|
3908
|
+
{#if $verifyErrors.code}
|
|
3909
|
+
<p class="text-sm text-red-600">{$verifyErrors.code[0]}</p>
|
|
3910
3910
|
{/if}
|
|
3911
3911
|
</div>
|
|
3912
3912
|
|
|
3913
|
-
<Button type="submit" class="w-full" disabled={
|
|
3914
|
-
{
|
|
3913
|
+
<Button type="submit" class="w-full" disabled={$verifyDelayed}>
|
|
3914
|
+
{$verifyDelayed ? 'Verifying...' : 'Verify & Sign In'}
|
|
3915
3915
|
</Button>
|
|
3916
3916
|
|
|
3917
3917
|
<button
|
|
@@ -7250,14 +7250,14 @@ export const POST: RequestHandler = async ({ request }) => {
|
|
|
7250
7250
|
}
|
|
7251
7251
|
};
|
|
7252
7252
|
`}};var ls=class extends g{name="new";description="Create a new SvelteKit project with Svelar pre-configured";arguments=["name"];flags=[{name:"no-install",alias:"n",description:"Skip npm install",type:"boolean",default:!1},{name:"flat",description:"Use flat folder structure instead of DDD modules",type:"boolean",default:!1}];async handle(e,t){let{join:s,resolve:r}=await import("path"),{existsSync:i,mkdirSync:a,writeFileSync:n}=await import("fs"),{execSync:l}=await import("child_process"),c=e[0];c||(this.error("Please provide a project name: npx svelar new my-app"),process.exit(1));let m=r(process.cwd(),c);i(m)&&(this.error(`Directory "${c}" already exists.`),process.exit(1));let p=t.flat||!1,h=p?"flat":"DDD modular";this.log(""),this.log(` \x1B[1m\x1B[38;5;208m</> Svelar\x1B[0m \u2014 Creating new project (${h})
|
|
7253
|
-
`);let u=(_,We)=>{let bs=p?Po(_):_,Je=p?Ro(We,_):We,Ve=s(m,bs);a(s(Ve,".."),{recursive:!0}),n(Ve,Je)};this.info("Creating project structure...");let b=p?["","src","src/lib","src/lib/models","src/lib/services","src/lib/controllers","src/lib/repositories","src/lib/dtos","src/lib/actions","src/lib/resources","src/lib/events","src/lib/listeners","src/lib/notifications","src/lib/schemas","src/lib/jobs","src/lib/scheduler","src/lib/middleware","src/lib/components","src/lib/stores","src/lib/plugins","src/lib/channels","src/lib/commands","src/lib/providers","src/lib/database/migrations","src/lib/database/seeders","src/routes","src/routes/api","static","storage/logs","storage/cache","storage/uploads","storage/sessions"]:["","src","src/lib","src/lib/modules/auth","src/lib/modules/posts","src/lib/modules/admin","src/lib/shared/jobs","src/lib/shared/scheduler","src/lib/shared/middleware","src/lib/shared/components","src/lib/shared/stores","src/lib/shared/plugins","src/lib/shared/channels","src/lib/shared/commands","src/lib/shared/providers","src/lib/database/migrations","src/lib/database/seeders","src/routes","src/routes/api","static","storage/logs","storage/cache","storage/uploads","storage/sessions"];for(let _ of b)a(s(m,_),{recursive:!0});this.info("Writing config files...");let{dirname:y}=await import("path"),{fileURLToPath:v}=await import("url"),x=s(y(y(y(v(import.meta.url)))),"package.json"),A=JSON.parse((await import("fs")).readFileSync(x,"utf-8")).version??"0.4.0";u("package.json",d.packageJson(c,A)),u("svelte.config.js",d.svelteConfig()),u("vite.config.ts",d.viteConfig()),u("tsconfig.json",d.tsConfig()),u("src/app.html",d.appHtml()),u("static/favicon.svg",d.faviconSvg()),u("src/app.css",d.appCss()),u("src/app.ts",d.appTs()),u("src/hooks.server.ts",d.hooksServerTs()),u(".env.example",d.envExample());let{randomBytes:I}=await import("crypto"),xe=I(32).toString("hex"),Se=I(16).toString("hex"),qr=d.envExample().replace("APP_KEY=change-me-to-a-random-string",`APP_KEY=${xe}`).replace("INTERNAL_SECRET=change-me-to-a-random-string",`INTERNAL_SECRET=${Se}`);u(".env",qr),u(".gitignore",d.gitignore()),u("svelar.database.json",d.svelarDatabaseJson());for(let _ of["storage/logs","storage/cache","storage/uploads","storage/sessions"])u(`${_}/.gitkeep`,"");if(this.info("Scaffolding domain layer..."),u("src/lib/modules/auth/User.ts",d.userModel()),u("src/lib/modules/auth/UserRepository.ts",d.userRepository()),u("src/lib/modules/auth/AuthService.ts",d.authService()),u("src/lib/modules/auth/AuthController.ts",d.authController()),u("src/lib/modules/auth/RegisterUserAction.ts",d.registerUserAction()),u("src/lib/modules/auth/RegisterRequest.ts",d.registerRequest()),u("src/lib/modules/auth/LoginRequest.ts",d.loginRequest()),u("src/lib/modules/auth/ForgotPasswordRequest.ts",d.forgotPasswordRequest()),u("src/lib/modules/auth/ResetPasswordRequest.ts",d.resetPasswordRequest()),u("src/lib/modules/auth/OtpSendRequest.ts",d.otpSendRequest()),u("src/lib/modules/auth/OtpVerifyRequest.ts",d.otpVerifyRequest()),u("src/lib/modules/auth/UserResource.ts",d.userResource()),u("src/lib/modules/auth/gates.ts",d.gates()),u("src/lib/modules/auth/schemas.ts",d.authSchema()),u("src/lib/modules/auth/UserRegistered.ts",d.userRegisteredEvent()),u("src/lib/modules/auth/SendWelcomeEmailListener.ts",d.sendWelcomeEmailListener()),u("src/lib/modules/auth/WelcomeNotification.ts",d.welcomeNotification()),u("src/lib/modules/posts/Post.ts",d.postModel()),u("src/lib/modules/posts/PostRepository.ts",d.postRepository()),u("src/lib/modules/posts/PostService.ts",d.postService()),u("src/lib/modules/posts/PostController.ts",d.postController()),u("src/lib/modules/posts/CreatePostAction.ts",d.createPostAction()),u("src/lib/modules/posts/CreatePostRequest.ts",d.createPostRequest()),u("src/lib/modules/posts/UpdatePostRequest.ts",d.updatePostRequest()),u("src/lib/modules/posts/PostResource.ts",d.postResource()),u("src/lib/modules/posts/schemas.ts",d.postSchema()),u("src/lib/modules/admin/AdminService.ts",d.adminService()),u("src/lib/modules/admin/AdminController.ts",d.adminController()),u("src/lib/modules/admin/UpdateUserRoleRequest.ts",d.updateUserRoleRequest()),u("src/lib/modules/admin/DeleteUserRequest.ts",d.deleteUserRequest()),u("src/lib/modules/admin/CreateRoleRequest.ts",d.createRoleRequest()),u("src/lib/modules/admin/DeleteRoleRequest.ts",d.deleteRoleRequest()),u("src/lib/modules/admin/CreatePermissionRequest.ts",d.createPermissionRequest()),u("src/lib/modules/admin/DeletePermissionRequest.ts",d.deletePermissionRequest()),u("src/lib/modules/admin/RolePermissionRequest.ts",d.rolePermissionRequest()),u("src/lib/modules/admin/UserRoleRequest.ts",d.userRoleRequest()),u("src/lib/modules/admin/UserPermissionRequest.ts",d.userPermissionRequest()),u("src/lib/modules/admin/ExportDataRequest.ts",d.exportDataRequest()),u("src/lib/modules/admin/RoleResource.ts",d.roleResource()),u("src/lib/modules/admin/PermissionResource.ts",d.permissionResource()),u("src/lib/modules/admin/schemas.ts",d.adminSchema()),u("src/lib/shared/providers/EventServiceProvider.ts",d.eventServiceProvider()),this.info("Creating migrations..."),u("src/lib/database/migrations/00000001_create_users_table.ts",d.createUsersTable()),u("src/lib/database/migrations/00000002_create_posts_table.ts",d.createPostsTable()),u("src/lib/database/migrations/00000003_create_permissions_tables.ts",d.createPermissionsTables()),u("src/lib/database/migrations/00000004_add_role_to_users.ts",d.addRoleToUsers()),u("src/lib/database/migrations/00000005_create_sessions_table.ts",d.createSessionsTable()),u("src/lib/database/migrations/00000006_create_audit_logs_table.ts",d.createAuditLogsTable()),u("src/lib/database/migrations/00000007_create_notifications_table.ts",d.createNotificationsTable()),u("src/lib/database/migrations/00000008_create_failed_jobs_table.ts",d.createFailedJobsTable()),u("src/lib/database/migrations/00000009_add_stripe_to_users.ts",d.addStripeToUsers()),u("src/lib/database/migrations/00000010_create_subscription_plans.ts",d.createSubscriptionPlansTable()),u("src/lib/database/migrations/00000011_create_subscriptions.ts",d.createSubscriptionsTable()),u("src/lib/database/migrations/00000012_create_invoices.ts",d.createInvoicesTable()),u("src/lib/database/seeders/DatabaseSeeder.ts",d.databaseSeeder()),this.info("Creating auth pages..."),u("src/routes/login/+page.server.ts",d.loginPageServer()),u("src/routes/login/+page.svelte",d.loginPageSvelte()),u("src/routes/register/+page.server.ts",d.registerPageServer()),u("src/routes/register/+page.svelte",d.registerPageSvelte()),u("src/routes/logout/+page.server.ts",d.logoutPageServer()),u("src/routes/forgot-password/+page.server.ts",d.forgotPasswordPageServer()),u("src/routes/forgot-password/+page.svelte",d.forgotPasswordPageSvelte()),u("src/routes/reset-password/+page.server.ts",d.resetPasswordPageServer()),u("src/routes/reset-password/+page.svelte",d.resetPasswordPageSvelte()),u("src/routes/otp-login/+page.server.ts",d.otpLoginPageServer()),u("src/routes/otp-login/+page.svelte",d.otpLoginPageSvelte()),u("src/routes/verify-email/+page.server.ts",d.verifyEmailPageServer()),u("src/routes/verify-email/+page.svelte",d.verifyEmailPageSvelte()),this.info("Creating dashboard..."),u("src/routes/dashboard/+layout.server.ts",d.dashboardLayoutServer()),u("src/routes/dashboard/+layout.svelte",d.dashboardLayoutSvelte()),u("src/routes/dashboard/+page.server.ts",d.dashboardPageServer()),u("src/routes/dashboard/+page.svelte",d.dashboardPageSvelte()),u("src/routes/dashboard/api-keys/+page.server.ts",d.apiKeysPageServer()),u("src/routes/dashboard/api-keys/+page.svelte",d.apiKeysPageSvelte()),u("src/routes/dashboard/team/+page.server.ts",d.teamPageServer()),u("src/routes/dashboard/team/+page.svelte",d.teamPageSvelte()),u("src/routes/dashboard/billing/+page.server.ts",d.billingPageServer()),u("src/routes/dashboard/billing/+page.svelte",d.billingPageSvelte()),this.info("Creating admin panel..."),u("src/routes/admin/+layout.server.ts",d.adminLayoutServer()),u("src/routes/admin/+layout.svelte",d.adminLayoutSvelte()),u("src/routes/admin/+page.server.ts",d.adminPageServer()),u("src/routes/admin/+page.svelte",d.adminPageSvelte()),this.info("Creating API routes..."),u("src/routes/api/health/+server.ts",d.apiHealth()),u("src/routes/api/auth/register/+server.ts",d.apiAuthRegister()),u("src/routes/api/auth/login/+server.ts",d.apiAuthLogin()),u("src/routes/api/auth/logout/+server.ts",d.apiAuthLogout()),u("src/routes/api/auth/me/+server.ts",d.apiAuthMe()),u("src/routes/api/auth/forgot-password/+server.ts",d.apiAuthForgotPassword()),u("src/routes/api/auth/reset-password/+server.ts",d.apiAuthResetPassword()),u("src/routes/api/auth/otp/send/+server.ts",d.apiAuthOtpSend()),u("src/routes/api/auth/otp/verify/+server.ts",d.apiAuthOtpVerify()),u("src/routes/api/auth/verify-email/+server.ts",d.apiAuthVerifyEmail()),u("src/routes/api/posts/+server.ts",d.apiPosts()),u("src/routes/api/posts/[id]/+server.ts",d.apiPostsSingle()),u("src/routes/api/posts/mine/+server.ts",d.apiPostsMine()),u("src/routes/api/broadcasting/[channel]/+server.ts",d.apiBroadcasting()),u("src/routes/api/internal/broadcast/+server.ts",d.apiInternalBroadcast()),u("src/routes/api/admin/users/+server.ts",d.apiAdminUsers()),u("src/routes/api/admin/roles/+server.ts",d.apiAdminRoles()),u("src/routes/api/admin/permissions/+server.ts",d.apiAdminPermissions()),u("src/routes/api/admin/role-permissions/+server.ts",d.apiAdminRolePermissions()),u("src/routes/api/admin/user-roles/+server.ts",d.apiAdminUserRoles()),u("src/routes/api/admin/user-permissions/+server.ts",d.apiAdminUserPermissions()),u("src/routes/api/admin/export/+server.ts",d.apiAdminExport()),u("src/routes/api/admin/health/+server.ts",d.apiAdminHealth()),u("src/routes/api/admin/queue/+server.ts",d.apiAdminQueue()),u("src/routes/api/admin/queue/[id]/retry/+server.ts",d.apiAdminQueueRetry()),u("src/routes/api/admin/queue/[id]/+server.ts",d.apiAdminQueueDelete()),u("src/routes/api/admin/scheduler/+server.ts",d.apiAdminScheduler()),u("src/routes/api/admin/scheduler/[name]/run/+server.ts",d.apiAdminSchedulerRun()),u("src/routes/api/admin/scheduler/[name]/toggle/+server.ts",d.apiAdminSchedulerToggle()),u("src/routes/api/admin/logs/+server.ts",d.apiAdminLogs()),u("src/routes/api/admin/stats/+server.ts",d.apiAdminStats()),u("src/routes/api/admin/billing/subscriptions/+server.ts",d.apiAdminBillingSubscriptions()),u("src/routes/api/admin/billing/refund/+server.ts",d.apiAdminBillingRefund()),u("src/routes/api/admin/billing/cancel/+server.ts",d.apiAdminBillingCancel()),u("src/routes/api/webhooks/stripe/+server.ts",d.stripeWebhookRoute()),this.info("Creating background jobs..."),u("src/lib/shared/jobs/SendWelcomeEmail.ts",d.sendWelcomeEmail()),u("src/lib/shared/jobs/DailyDigestJob.ts",d.dailyDigestJob()),u("src/lib/shared/jobs/ExportDataJob.ts",d.exportDataJob()),this.info("Creating scheduled tasks..."),u("src/lib/shared/scheduler/CleanupExpiredTokens.ts",d.cleanupExpiredTokens()),u("src/lib/shared/scheduler/CleanExpiredSessions.ts",d.cleanExpiredSessions()),u("src/lib/shared/scheduler/DailyDigestEmail.ts",d.dailyDigestEmail()),u("src/lib/shared/scheduler/PruneAuditLogs.ts",d.pruneAuditLogs()),u("src/lib/shared/scheduler/QueueHealthCheck.ts",d.queueHealthCheck()),this.info("Creating layouts..."),u("src/routes/+layout.svelte",d.rootLayoutSvelte(c)),u("src/routes/+layout.server.ts",d.rootLayoutServer()),u("src/routes/+error.svelte",d.errorSvelte()),u("src/routes/+page.svelte",d.homePage(c)),this.success(`Project structure created (${h})`),!t["no-install"]){this.info("Installing dependencies...");try{l("npm install",{cwd:m,stdio:"inherit"}),this.success("Dependencies installed")}catch{this.warn("npm install failed \u2014 run it manually with: cd "+c+" && npm install")}this.info("Running migrations...");try{l("npx svelar migrate",{cwd:m,stdio:"inherit"}),this.success("Migrations complete")}catch{this.warn("Migrations failed \u2014 run manually: cd "+c+" && npx svelar migrate")}this.info("Seeding database...");try{l("npx svelar seed:run",{cwd:m,stdio:"inherit"}),this.success("Database seeded")}catch{this.warn("Seeding failed \u2014 run manually: cd "+c+" && npx svelar seed:run")}}this.log(""),this.log(` \x1B[32m+\x1B[0m Project \x1B[1m${c}\x1B[0m created successfully!
|
|
7253
|
+
`);let u=(_,We)=>{let bs=p?So(_):_,Je=p?Ro(We,_):We,Ve=s(m,bs);a(s(Ve,".."),{recursive:!0}),n(Ve,Je)};this.info("Creating project structure...");let b=p?["","src","src/lib","src/lib/models","src/lib/services","src/lib/controllers","src/lib/repositories","src/lib/dtos","src/lib/actions","src/lib/resources","src/lib/events","src/lib/listeners","src/lib/notifications","src/lib/schemas","src/lib/jobs","src/lib/scheduler","src/lib/middleware","src/lib/components","src/lib/stores","src/lib/plugins","src/lib/channels","src/lib/commands","src/lib/providers","src/lib/database/migrations","src/lib/database/seeders","src/routes","src/routes/api","static","storage/logs","storage/cache","storage/uploads","storage/sessions"]:["","src","src/lib","src/lib/modules/auth","src/lib/modules/posts","src/lib/modules/admin","src/lib/shared/jobs","src/lib/shared/scheduler","src/lib/shared/middleware","src/lib/shared/components","src/lib/shared/stores","src/lib/shared/plugins","src/lib/shared/channels","src/lib/shared/commands","src/lib/shared/providers","src/lib/database/migrations","src/lib/database/seeders","src/routes","src/routes/api","static","storage/logs","storage/cache","storage/uploads","storage/sessions"];for(let _ of b)a(s(m,_),{recursive:!0});this.info("Writing config files...");let{dirname:y}=await import("path"),{fileURLToPath:v}=await import("url"),x=s(y(y(y(v(import.meta.url)))),"package.json"),A=JSON.parse((await import("fs")).readFileSync(x,"utf-8")).version??"0.4.0";u("package.json",d.packageJson(c,A)),u("svelte.config.js",d.svelteConfig()),u("vite.config.ts",d.viteConfig()),u("tsconfig.json",d.tsConfig()),u("src/app.html",d.appHtml()),u("static/favicon.svg",d.faviconSvg()),u("src/app.css",d.appCss()),u("src/app.ts",d.appTs()),u("src/hooks.server.ts",d.hooksServerTs()),u(".env.example",d.envExample());let{randomBytes:I}=await import("crypto"),xe=I(32).toString("hex"),Pe=I(16).toString("hex"),qr=d.envExample().replace("APP_KEY=change-me-to-a-random-string",`APP_KEY=${xe}`).replace("INTERNAL_SECRET=change-me-to-a-random-string",`INTERNAL_SECRET=${Pe}`);u(".env",qr),u(".gitignore",d.gitignore()),u("svelar.database.json",d.svelarDatabaseJson());for(let _ of["storage/logs","storage/cache","storage/uploads","storage/sessions"])u(`${_}/.gitkeep`,"");if(this.info("Scaffolding domain layer..."),u("src/lib/modules/auth/User.ts",d.userModel()),u("src/lib/modules/auth/UserRepository.ts",d.userRepository()),u("src/lib/modules/auth/AuthService.ts",d.authService()),u("src/lib/modules/auth/AuthController.ts",d.authController()),u("src/lib/modules/auth/RegisterUserAction.ts",d.registerUserAction()),u("src/lib/modules/auth/RegisterRequest.ts",d.registerRequest()),u("src/lib/modules/auth/LoginRequest.ts",d.loginRequest()),u("src/lib/modules/auth/ForgotPasswordRequest.ts",d.forgotPasswordRequest()),u("src/lib/modules/auth/ResetPasswordRequest.ts",d.resetPasswordRequest()),u("src/lib/modules/auth/OtpSendRequest.ts",d.otpSendRequest()),u("src/lib/modules/auth/OtpVerifyRequest.ts",d.otpVerifyRequest()),u("src/lib/modules/auth/UserResource.ts",d.userResource()),u("src/lib/modules/auth/gates.ts",d.gates()),u("src/lib/modules/auth/schemas.ts",d.authSchema()),u("src/lib/modules/auth/UserRegistered.ts",d.userRegisteredEvent()),u("src/lib/modules/auth/SendWelcomeEmailListener.ts",d.sendWelcomeEmailListener()),u("src/lib/modules/auth/WelcomeNotification.ts",d.welcomeNotification()),u("src/lib/modules/posts/Post.ts",d.postModel()),u("src/lib/modules/posts/PostRepository.ts",d.postRepository()),u("src/lib/modules/posts/PostService.ts",d.postService()),u("src/lib/modules/posts/PostController.ts",d.postController()),u("src/lib/modules/posts/CreatePostAction.ts",d.createPostAction()),u("src/lib/modules/posts/CreatePostRequest.ts",d.createPostRequest()),u("src/lib/modules/posts/UpdatePostRequest.ts",d.updatePostRequest()),u("src/lib/modules/posts/PostResource.ts",d.postResource()),u("src/lib/modules/posts/schemas.ts",d.postSchema()),u("src/lib/modules/admin/AdminService.ts",d.adminService()),u("src/lib/modules/admin/AdminController.ts",d.adminController()),u("src/lib/modules/admin/UpdateUserRoleRequest.ts",d.updateUserRoleRequest()),u("src/lib/modules/admin/DeleteUserRequest.ts",d.deleteUserRequest()),u("src/lib/modules/admin/CreateRoleRequest.ts",d.createRoleRequest()),u("src/lib/modules/admin/DeleteRoleRequest.ts",d.deleteRoleRequest()),u("src/lib/modules/admin/CreatePermissionRequest.ts",d.createPermissionRequest()),u("src/lib/modules/admin/DeletePermissionRequest.ts",d.deletePermissionRequest()),u("src/lib/modules/admin/RolePermissionRequest.ts",d.rolePermissionRequest()),u("src/lib/modules/admin/UserRoleRequest.ts",d.userRoleRequest()),u("src/lib/modules/admin/UserPermissionRequest.ts",d.userPermissionRequest()),u("src/lib/modules/admin/ExportDataRequest.ts",d.exportDataRequest()),u("src/lib/modules/admin/RoleResource.ts",d.roleResource()),u("src/lib/modules/admin/PermissionResource.ts",d.permissionResource()),u("src/lib/modules/admin/schemas.ts",d.adminSchema()),u("src/lib/shared/providers/EventServiceProvider.ts",d.eventServiceProvider()),this.info("Creating migrations..."),u("src/lib/database/migrations/00000001_create_users_table.ts",d.createUsersTable()),u("src/lib/database/migrations/00000002_create_posts_table.ts",d.createPostsTable()),u("src/lib/database/migrations/00000003_create_permissions_tables.ts",d.createPermissionsTables()),u("src/lib/database/migrations/00000004_add_role_to_users.ts",d.addRoleToUsers()),u("src/lib/database/migrations/00000005_create_sessions_table.ts",d.createSessionsTable()),u("src/lib/database/migrations/00000006_create_audit_logs_table.ts",d.createAuditLogsTable()),u("src/lib/database/migrations/00000007_create_notifications_table.ts",d.createNotificationsTable()),u("src/lib/database/migrations/00000008_create_failed_jobs_table.ts",d.createFailedJobsTable()),u("src/lib/database/migrations/00000009_add_stripe_to_users.ts",d.addStripeToUsers()),u("src/lib/database/migrations/00000010_create_subscription_plans.ts",d.createSubscriptionPlansTable()),u("src/lib/database/migrations/00000011_create_subscriptions.ts",d.createSubscriptionsTable()),u("src/lib/database/migrations/00000012_create_invoices.ts",d.createInvoicesTable()),u("src/lib/database/seeders/DatabaseSeeder.ts",d.databaseSeeder()),this.info("Creating auth pages..."),u("src/routes/login/+page.server.ts",d.loginPageServer()),u("src/routes/login/+page.svelte",d.loginPageSvelte()),u("src/routes/register/+page.server.ts",d.registerPageServer()),u("src/routes/register/+page.svelte",d.registerPageSvelte()),u("src/routes/logout/+page.server.ts",d.logoutPageServer()),u("src/routes/forgot-password/+page.server.ts",d.forgotPasswordPageServer()),u("src/routes/forgot-password/+page.svelte",d.forgotPasswordPageSvelte()),u("src/routes/reset-password/+page.server.ts",d.resetPasswordPageServer()),u("src/routes/reset-password/+page.svelte",d.resetPasswordPageSvelte()),u("src/routes/otp-login/+page.server.ts",d.otpLoginPageServer()),u("src/routes/otp-login/+page.svelte",d.otpLoginPageSvelte()),u("src/routes/verify-email/+page.server.ts",d.verifyEmailPageServer()),u("src/routes/verify-email/+page.svelte",d.verifyEmailPageSvelte()),this.info("Creating dashboard..."),u("src/routes/dashboard/+layout.server.ts",d.dashboardLayoutServer()),u("src/routes/dashboard/+layout.svelte",d.dashboardLayoutSvelte()),u("src/routes/dashboard/+page.server.ts",d.dashboardPageServer()),u("src/routes/dashboard/+page.svelte",d.dashboardPageSvelte()),u("src/routes/dashboard/api-keys/+page.server.ts",d.apiKeysPageServer()),u("src/routes/dashboard/api-keys/+page.svelte",d.apiKeysPageSvelte()),u("src/routes/dashboard/team/+page.server.ts",d.teamPageServer()),u("src/routes/dashboard/team/+page.svelte",d.teamPageSvelte()),u("src/routes/dashboard/billing/+page.server.ts",d.billingPageServer()),u("src/routes/dashboard/billing/+page.svelte",d.billingPageSvelte()),this.info("Creating admin panel..."),u("src/routes/admin/+layout.server.ts",d.adminLayoutServer()),u("src/routes/admin/+layout.svelte",d.adminLayoutSvelte()),u("src/routes/admin/+page.server.ts",d.adminPageServer()),u("src/routes/admin/+page.svelte",d.adminPageSvelte()),this.info("Creating API routes..."),u("src/routes/api/health/+server.ts",d.apiHealth()),u("src/routes/api/auth/register/+server.ts",d.apiAuthRegister()),u("src/routes/api/auth/login/+server.ts",d.apiAuthLogin()),u("src/routes/api/auth/logout/+server.ts",d.apiAuthLogout()),u("src/routes/api/auth/me/+server.ts",d.apiAuthMe()),u("src/routes/api/auth/forgot-password/+server.ts",d.apiAuthForgotPassword()),u("src/routes/api/auth/reset-password/+server.ts",d.apiAuthResetPassword()),u("src/routes/api/auth/otp/send/+server.ts",d.apiAuthOtpSend()),u("src/routes/api/auth/otp/verify/+server.ts",d.apiAuthOtpVerify()),u("src/routes/api/auth/verify-email/+server.ts",d.apiAuthVerifyEmail()),u("src/routes/api/posts/+server.ts",d.apiPosts()),u("src/routes/api/posts/[id]/+server.ts",d.apiPostsSingle()),u("src/routes/api/posts/mine/+server.ts",d.apiPostsMine()),u("src/routes/api/broadcasting/[channel]/+server.ts",d.apiBroadcasting()),u("src/routes/api/internal/broadcast/+server.ts",d.apiInternalBroadcast()),u("src/routes/api/admin/users/+server.ts",d.apiAdminUsers()),u("src/routes/api/admin/roles/+server.ts",d.apiAdminRoles()),u("src/routes/api/admin/permissions/+server.ts",d.apiAdminPermissions()),u("src/routes/api/admin/role-permissions/+server.ts",d.apiAdminRolePermissions()),u("src/routes/api/admin/user-roles/+server.ts",d.apiAdminUserRoles()),u("src/routes/api/admin/user-permissions/+server.ts",d.apiAdminUserPermissions()),u("src/routes/api/admin/export/+server.ts",d.apiAdminExport()),u("src/routes/api/admin/health/+server.ts",d.apiAdminHealth()),u("src/routes/api/admin/queue/+server.ts",d.apiAdminQueue()),u("src/routes/api/admin/queue/[id]/retry/+server.ts",d.apiAdminQueueRetry()),u("src/routes/api/admin/queue/[id]/+server.ts",d.apiAdminQueueDelete()),u("src/routes/api/admin/scheduler/+server.ts",d.apiAdminScheduler()),u("src/routes/api/admin/scheduler/[name]/run/+server.ts",d.apiAdminSchedulerRun()),u("src/routes/api/admin/scheduler/[name]/toggle/+server.ts",d.apiAdminSchedulerToggle()),u("src/routes/api/admin/logs/+server.ts",d.apiAdminLogs()),u("src/routes/api/admin/stats/+server.ts",d.apiAdminStats()),u("src/routes/api/admin/billing/subscriptions/+server.ts",d.apiAdminBillingSubscriptions()),u("src/routes/api/admin/billing/refund/+server.ts",d.apiAdminBillingRefund()),u("src/routes/api/admin/billing/cancel/+server.ts",d.apiAdminBillingCancel()),u("src/routes/api/webhooks/stripe/+server.ts",d.stripeWebhookRoute()),this.info("Creating background jobs..."),u("src/lib/shared/jobs/SendWelcomeEmail.ts",d.sendWelcomeEmail()),u("src/lib/shared/jobs/DailyDigestJob.ts",d.dailyDigestJob()),u("src/lib/shared/jobs/ExportDataJob.ts",d.exportDataJob()),this.info("Creating scheduled tasks..."),u("src/lib/shared/scheduler/CleanupExpiredTokens.ts",d.cleanupExpiredTokens()),u("src/lib/shared/scheduler/CleanExpiredSessions.ts",d.cleanExpiredSessions()),u("src/lib/shared/scheduler/DailyDigestEmail.ts",d.dailyDigestEmail()),u("src/lib/shared/scheduler/PruneAuditLogs.ts",d.pruneAuditLogs()),u("src/lib/shared/scheduler/QueueHealthCheck.ts",d.queueHealthCheck()),this.info("Creating layouts..."),u("src/routes/+layout.svelte",d.rootLayoutSvelte(c)),u("src/routes/+layout.server.ts",d.rootLayoutServer()),u("src/routes/+error.svelte",d.errorSvelte()),u("src/routes/+page.svelte",d.homePage(c)),this.success(`Project structure created (${h})`),!t["no-install"]){this.info("Installing dependencies...");try{l("npm install",{cwd:m,stdio:"inherit"}),this.success("Dependencies installed")}catch{this.warn("npm install failed \u2014 run it manually with: cd "+c+" && npm install")}this.info("Running migrations...");try{l("npx svelar migrate",{cwd:m,stdio:"inherit"}),this.success("Migrations complete")}catch{this.warn("Migrations failed \u2014 run manually: cd "+c+" && npx svelar migrate")}this.info("Seeding database...");try{l("npx svelar seed:run",{cwd:m,stdio:"inherit"}),this.success("Database seeded")}catch{this.warn("Seeding failed \u2014 run manually: cd "+c+" && npx svelar seed:run")}}this.log(""),this.log(` \x1B[32m+\x1B[0m Project \x1B[1m${c}\x1B[0m created successfully!
|
|
7254
7254
|
`),this.log(` Next steps:
|
|
7255
|
-
`),this.log(` cd ${c}`),t["no-install"]&&(this.log(" npm install"),this.log(" npx svelar migrate"),this.log(" npx svelar seed:run")),this.log(" npm run dev"),this.log(""),this.log(" Default accounts:"),this.log(" Admin: admin@svelar.dev / admin123"),this.log(" Demo: demo@svelar.dev / password"),this.log("")}};function
|
|
7256
|
-
`).trim()}writeFile(e,t){To(
|
|
7255
|
+
`),this.log(` cd ${c}`),t["no-install"]&&(this.log(" npm install"),this.log(" npx svelar migrate"),this.log(" npx svelar seed:run")),this.log(" npm run dev"),this.log(""),this.log(" Default accounts:"),this.log(" Admin: admin@svelar.dev / admin123"),this.log(" Demo: demo@svelar.dev / password"),this.log("")}};function Po(o){return/Service\./.test(o)?"services":/Controller\./.test(o)?"controllers":/Repository\./.test(o)?"repositories":/Request\./.test(o)?"dtos":/Resource\./.test(o)?"resources":/Action\./.test(o)?"actions":/Listener\./.test(o)?"listeners":/Notification\./.test(o)?"notifications":/Registered|Created|Updated|Deleted|Verified|Invited/.test(o)?"events":"models"}function So(o){let e=o.match(/^src\/lib\/modules\/(\w+)\/(.+)$/);if(e){let[,s,r]=e;return r==="schemas.ts"?`src/lib/schemas/${s}.ts`:r==="gates.ts"?"src/lib/gates.ts":`src/lib/${Po(r)}/${r}`}let t=o.match(/^src\/lib\/shared\/(.+)$/);return t?`src/lib/${t[1]}`:o}function Dr(o,e,t){return e==="schemas"?`$lib/schemas/${o}${t}`:e==="gates"?`$lib/gates${t}`:`$lib/${ta(e)}/${e}${t}`}function ta(o){return/Service$/.test(o)?"services":/Controller$/.test(o)?"controllers":/Repository$/.test(o)?"repositories":/Request$/.test(o)?"dtos":/Resource$/.test(o)?"resources":/Action$/.test(o)?"actions":/Listener$/.test(o)?"listeners":/Notification$/.test(o)?"notifications":/Registered|Created|Updated|Deleted|Verified|Invited/.test(o)?"events":"models"}function Ro(o,e){let s=e.match(/modules\/(\w+)\//)?.[1]||"";return o=o.replace(/\$lib\/modules\/(\w+)\/(\w+)(\.js)?/g,(r,i,a,n)=>Dr(i,a,n||"")),o=o.replace(/\.\/lib\/modules\/(\w+)\/(\w+)(\.js)?/g,(r,i,a,n)=>a==="schemas"?`./lib/schemas/${i}${n||""}`:a==="gates"?`./lib/gates${n||""}`:`./lib/${ta(a)}/${a}${n||""}`),o=o.replace(/\$lib\/shared\//g,"$lib/"),o=o.replace(/\.\/lib\/shared\//g,"./lib/"),e.includes("shared/")&&(o=o.replace(/'\.\.\/(\.\.\/\.\.\/)'/g,"'$1'"),o=o.replace(/'\.\.\/\.\.\/\.\.\//g,"'../../")),s&&(o=o.replace(/from '\.\/(\w+)(\.js)?'/g,(r,i,a)=>i.startsWith("$")||i==="app"?r:(a=a||"",`from '${Dr(s,i,a)}'`)),o=o.replace(/import '\.\/(\w+)(\.js)?'/g,(r,i,a)=>i.startsWith("$")||i==="app"?r:(a=a||"",`import '${Dr(s,i,a)}'`))),o}import{existsSync as sa,readFileSync as Ce,writeFileSync as cs,mkdirSync as To}from"fs";import{join as D,dirname as Eo}from"path";import{createInterface as ko}from"readline";function Ke(o){let e=ko({input:process.stdin,output:process.stdout});return new Promise(t=>{e.question(o,s=>{e.close(),t(s.trim().toLowerCase())})})}var ds=class extends g{name="update";description="Update scaffold files from the latest svelar templates without overwriting customizations";flags=[{name:"force",alias:"f",description:"Overwrite all files without prompting",type:"boolean",default:!1},{name:"dry-run",alias:"d",description:"Show what would be updated without writing",type:"boolean",default:!1},{name:"category",alias:"c",description:"Only update a specific category (config, migration, route, page, domain, job, seeder)",type:"string",default:""},{name:"list",alias:"l",description:"List all updatable files and their status",type:"boolean",default:!1}];async handle(e,t){let s=process.cwd(),r=t.force??!1,i=t["dry-run"]??!1,a=t.category??"",n=t.list??!1,l=sa(D(s,"src","lib","modules")),c="app";try{c=JSON.parse(Ce(D(s,"package.json"),"utf-8")).name??"app"}catch{}this.log(""),this.info("Svelar Update \u2014 scanning project files..."),this.log("");let m=this.getFileManifest(l,c),p=a?m.filter(v=>v.category===a):m;if(p.length===0){this.warn(`No files found for category "${a}". Valid categories: config, migration, route, page, domain, job, seeder`);return}let h=[],u=[],b=[],y=[];for(let v of p){let x=D(s,v.path);if(!sa(x)){y.push(v);continue}let E=Ce(x,"utf-8"),A;try{A=v.content()}catch{continue}this.normalize(E)===this.normalize(A)?b.push(v):u.push(v)}if(n){this.printStatus(y,u,b);return}if(this.log(` Files scanned: ${p.length}`),this.log(` Up to date: \x1B[32m${b.length}\x1B[0m`),this.log(` Changed/outdated: \x1B[33m${u.length}\x1B[0m`),this.log(` Missing (new): \x1B[36m${y.length}\x1B[0m`),this.log(""),u.length===0&&y.length===0){this.success("All scaffold files are up to date!");return}if(y.length>0){this.info(`New files available (${y.length}):`);for(let v of y)this.log(` \x1B[36m+\x1B[0m ${v.path} \x1B[90m(${v.description})\x1B[0m`);if(this.log(""),!i){let v=r?"y":await Ke(" Create all new files? [Y/n/s(elect)] ");if(v==="y"||v==="yes"||v==="")for(let x of y)this.writeFile(D(s,x.path),x.content()),this.success(`Created ${x.path}`);else if(v==="s"||v==="select")for(let x of y){let E=await Ke(` Create ${x.path}? [y/N] `);E==="y"||E==="yes"?(this.writeFile(D(s,x.path),x.content()),this.success(`Created ${x.path}`)):this.log(` \x1B[90mSkipped ${x.path}\x1B[0m`)}else this.log(" Skipped new files.");this.log("")}}if(u.length>0){this.info(`Changed files (${u.length}):`);for(let v of u)this.log(` \x1B[33m~\x1B[0m ${v.path} \x1B[90m(${v.description})\x1B[0m`);if(this.log(""),i){this.info("Dry run \u2014 no files were modified.");return}if(r)for(let v of u)this.writeFile(D(s,v.path),v.content()),this.success(`Updated ${v.path}`);else{let v=await Ke(" Update changed files? [s(elect)/a(ll)/N] ");if(v==="a"||v==="all")for(let x of u){let E=D(s,x.path),A=E+".bak",I=Ce(E,"utf-8");cs(A,I),this.writeFile(E,x.content()),this.success(`Updated ${x.path} \x1B[90m(backup: ${x.path}.bak)\x1B[0m`)}else if(v==="s"||v==="select")for(let x of u){let E=await Ke(` Update ${x.path}? [y/N/d(iff)] `);if(E==="d"||E==="diff"){this.showDiff(D(s,x.path),x.content());let A=await Ke(" Apply this update? [y/N] ");if(A==="y"||A==="yes"){let I=Ce(D(s,x.path),"utf-8");cs(D(s,x.path)+".bak",I),this.writeFile(D(s,x.path),x.content()),this.success(`Updated ${x.path}`)}else this.log(` \x1B[90mSkipped ${x.path}\x1B[0m`)}else if(E==="y"||E==="yes"){let A=Ce(D(s,x.path),"utf-8");cs(D(s,x.path)+".bak",A),this.writeFile(D(s,x.path),x.content()),this.success(`Updated ${x.path} \x1B[90m(backup: ${x.path}.bak)\x1B[0m`)}else this.log(` \x1B[90mSkipped ${x.path}\x1B[0m`)}else this.log(" No files updated.")}}this.log(""),this.success("Update complete.")}normalize(e){return e.replace(/\r\n/g,`
|
|
7256
|
+
`).trim()}writeFile(e,t){To(Eo(e),{recursive:!0}),cs(e,t)}showDiff(e,t){let s=Ce(e,"utf-8").split(`
|
|
7257
7257
|
`),r=t.split(`
|
|
7258
|
-
`);this.log(""),this.log(` \x1B[90m--- ${e} (current)\x1B[0m`),this.log(` \x1B[90m+++ ${e} (updated)\x1B[0m`);let i=Math.max(s.length,r.length),a=0,n=[];for(let c=0;c<i;c++){let m=s[c]??"",p=r[c]??"";m!==p?(s[c]!==void 0&&n.push(` \x1B[31m- ${m}\x1B[0m`),r[c]!==void 0&&n.push(` \x1B[32m+ ${p}\x1B[0m`),a=0):(a<2&&n.length>0&&n.push(` \x1B[90m ${m}\x1B[0m`),a++)}let l=n.slice(0,40);for(let c of l)this.log(c);n.length>40&&this.log(` \x1B[90m... and ${n.length-40} more lines\x1B[0m`),this.log("")}printStatus(e,t,s){let r=[];for(let i of e)r.push(["\x1B[36mNEW\x1B[0m",i.path,i.category,i.description]);for(let i of t)r.push(["\x1B[33mCHANGED\x1B[0m",i.path,i.category,i.description]);for(let i of s)r.push(["\x1B[32mOK\x1B[0m",i.path,i.category,i.description]);this.table(["Status","File","Category","Description"],r)}getFileManifest(e,t){let s=[],r=(y,v,x,k)=>{s.push({path:y,content:v,category:x,description:k})};r("src/app.ts",()=>d.appTs(),"config","Application bootstrap"),r("src/hooks.server.ts",()=>d.hooksServerTs(),"config","SvelteKit hooks"),r("vite.config.ts",()=>d.viteConfig(),"config","Vite configuration"),r(".env.example",()=>d.envExample(),"config","Environment template"),r("svelar.database.json",()=>d.svelarDatabaseJson(),"config","Database config"),r("src/app.css",()=>d.appCss(),"config","Global styles"),r("src/app.html",()=>d.appHtml(),"config","HTML shell"),r("src/lib/database/migrations/00000001_create_users_table.ts",()=>d.createUsersTable(),"migration","Users table"),r("src/lib/database/migrations/00000002_create_posts_table.ts",()=>d.createPostsTable(),"migration","Posts table"),r("src/lib/database/migrations/00000003_create_permissions_tables.ts",()=>d.createPermissionsTables(),"migration","Permissions tables"),r("src/lib/database/migrations/00000004_add_role_to_users.ts",()=>d.addRoleToUsers(),"migration","Role column on users"),r("src/lib/database/migrations/00000005_create_sessions_table.ts",()=>d.createSessionsTable(),"migration","Sessions table"),r("src/lib/database/migrations/00000006_create_audit_logs_table.ts",()=>d.createAuditLogsTable(),"migration","Audit logs table"),r("src/lib/database/migrations/00000007_create_notifications_table.ts",()=>d.createNotificationsTable(),"migration","Notifications table"),r("src/lib/database/migrations/00000008_create_failed_jobs_table.ts",()=>d.createFailedJobsTable(),"migration","Failed jobs table"),r("src/lib/database/migrations/00000009_add_stripe_to_users.ts",()=>d.addStripeToUsers(),"migration","Stripe customer ID on users"),r("src/lib/database/migrations/00000010_create_subscription_plans.ts",()=>d.createSubscriptionPlansTable(),"migration","Subscription plans table"),r("src/lib/database/migrations/00000011_create_subscriptions.ts",()=>d.createSubscriptionsTable(),"migration","Subscriptions table"),r("src/lib/database/migrations/00000012_create_invoices.ts",()=>d.createInvoicesTable(),"migration","Invoices table");let i=e?"src/lib/modules/auth":"src/lib",a=e?`${i}/User.ts`:`${i}/models/User.ts`,n=e?`${i}/UserRepository.ts`:`${i}/repositories/UserRepository.ts`,l=e?`${i}/AuthService.ts`:`${i}/services/AuthService.ts`,c=e?`${i}/AuthController.ts`:`${i}/controllers/AuthController.ts`,m=e?`${i}/RegisterUserAction.ts`:`${i}/actions/RegisterUserAction.ts`;r(a,()=>d.userModel(),"domain","User model"),r(n,()=>d.userRepository(),"domain","User repository"),r(l,()=>d.authService(),"domain","Auth service"),r(c,()=>d.authController(),"domain","Auth controller"),r(m,()=>d.registerUserAction(),"domain","Register user action");let p=e?i:`${i}/dtos`;r(`${e?i:p}/RegisterRequest.ts`,()=>d.registerRequest(),"domain","Register DTO"),r(`${e?i:p}/LoginRequest.ts`,()=>d.loginRequest(),"domain","Login DTO"),r(`${e?i:p}/ForgotPasswordRequest.ts`,()=>d.forgotPasswordRequest(),"domain","Forgot password DTO"),r(`${e?i:p}/ResetPasswordRequest.ts`,()=>d.resetPasswordRequest(),"domain","Reset password DTO"),r(`${e?i:p}/OtpSendRequest.ts`,()=>d.otpSendRequest(),"domain","OTP send DTO"),r(`${e?i:p}/OtpVerifyRequest.ts`,()=>d.otpVerifyRequest(),"domain","OTP verify DTO"),r(`${e?i:`${i}/resources`}/UserResource.ts`,()=>d.userResource(),"domain","User resource"),r(`${e?i:`${i}/schemas`}/gates.ts`,()=>d.gates(),"domain","Authorization gates"),r(`${e?i+"/schemas":`${i}/schemas`}.ts`,()=>d.authSchema(),"domain","Auth Zod schemas");let h=e?"src/lib/modules/posts":"src/lib";r(`${e?h:`${h}/models`}/Post.ts`,()=>d.postModel(),"domain","Post model"),r(`${e?h:`${h}/repositories`}/PostRepository.ts`,()=>d.postRepository(),"domain","Post repository"),r(`${e?h:`${h}/services`}/PostService.ts`,()=>d.postService(),"domain","Post service"),r(`${e?h:`${h}/controllers`}/PostController.ts`,()=>d.postController(),"domain","Post controller"),r(`${e?h:`${h}/actions`}/CreatePostAction.ts`,()=>d.createPostAction(),"domain","Create post action"),r("src/lib/database/seeders/DatabaseSeeder.ts",()=>d.databaseSeeder(),"seeder","Database seeder"),r("src/routes/login/+page.server.ts",()=>d.loginPageServer(),"page","Login server"),r("src/routes/login/+page.svelte",()=>d.loginPageSvelte(),"page","Login page"),r("src/routes/register/+page.server.ts",()=>d.registerPageServer(),"page","Register server"),r("src/routes/register/+page.svelte",()=>d.registerPageSvelte(),"page","Register page"),r("src/routes/logout/+page.server.ts",()=>d.logoutPageServer(),"page","Logout handler"),r("src/routes/forgot-password/+page.server.ts",()=>d.forgotPasswordPageServer(),"page","Forgot password server"),r("src/routes/forgot-password/+page.svelte",()=>d.forgotPasswordPageSvelte(),"page","Forgot password page"),r("src/routes/reset-password/+page.server.ts",()=>d.resetPasswordPageServer(),"page","Reset password server"),r("src/routes/reset-password/+page.svelte",()=>d.resetPasswordPageSvelte(),"page","Reset password page"),r("src/routes/otp-login/+page.server.ts",()=>d.otpLoginPageServer(),"page","OTP login server"),r("src/routes/otp-login/+page.svelte",()=>d.otpLoginPageSvelte(),"page","OTP login page"),r("src/routes/verify-email/+page.server.ts",()=>d.verifyEmailPageServer(),"page","Verify email server"),r("src/routes/verify-email/+page.svelte",()=>d.verifyEmailPageSvelte(),"page","Verify email page"),r("src/routes/dashboard/+layout.server.ts",()=>d.dashboardLayoutServer(),"page","Dashboard auth guard"),r("src/routes/dashboard/+layout.svelte",()=>d.dashboardLayoutSvelte(),"page","Dashboard layout"),r("src/routes/dashboard/+page.server.ts",()=>d.dashboardPageServer(),"page","Dashboard server"),r("src/routes/dashboard/+page.svelte",()=>d.dashboardPageSvelte(),"page","Dashboard overview"),r("src/routes/dashboard/api-keys/+page.server.ts",()=>d.apiKeysPageServer(),"page","API keys server"),r("src/routes/dashboard/api-keys/+page.svelte",()=>d.apiKeysPageSvelte(),"page","API keys page"),r("src/routes/dashboard/team/+page.server.ts",()=>d.teamPageServer(),"page","Team server"),r("src/routes/dashboard/team/+page.svelte",()=>d.teamPageSvelte(),"page","Team page"),r("src/routes/dashboard/billing/+page.server.ts",()=>d.billingPageServer(),"page","Billing server"),r("src/routes/dashboard/billing/+page.svelte",()=>d.billingPageSvelte(),"page","Billing page"),r("src/routes/admin/+layout.server.ts",()=>d.adminLayoutServer(),"page","Admin auth guard"),r("src/routes/admin/+layout.svelte",()=>d.adminLayoutSvelte(),"page","Admin layout"),r("src/routes/admin/+page.server.ts",()=>d.adminPageServer(),"page","Admin server"),r("src/routes/admin/+page.svelte",()=>d.adminPageSvelte(),"page","Admin dashboard"),r("src/routes/api/health/+server.ts",()=>d.apiHealth(),"route","Health check"),r("src/routes/api/auth/register/+server.ts",()=>d.apiAuthRegister(),"route","Auth register API"),r("src/routes/api/auth/login/+server.ts",()=>d.apiAuthLogin(),"route","Auth login API"),r("src/routes/api/auth/logout/+server.ts",()=>d.apiAuthLogout(),"route","Auth logout API"),r("src/routes/api/auth/me/+server.ts",()=>d.apiAuthMe(),"route","Auth me API"),r("src/routes/api/auth/forgot-password/+server.ts",()=>d.apiAuthForgotPassword(),"route","Forgot password API"),r("src/routes/api/auth/reset-password/+server.ts",()=>d.apiAuthResetPassword(),"route","Reset password API"),r("src/routes/api/auth/otp/send/+server.ts",()=>d.apiAuthOtpSend(),"route","OTP send API"),r("src/routes/api/auth/otp/verify/+server.ts",()=>d.apiAuthOtpVerify(),"route","OTP verify API"),r("src/routes/api/auth/verify-email/+server.ts",()=>d.apiAuthVerifyEmail(),"route","Verify email API"),r("src/routes/api/posts/+server.ts",()=>d.apiPosts(),"route","Posts list/create API"),r("src/routes/api/posts/[id]/+server.ts",()=>d.apiPostsSingle(),"route","Post CRUD API"),r("src/routes/api/posts/mine/+server.ts",()=>d.apiPostsMine(),"route","My posts API"),r("src/routes/api/broadcasting/[channel]/+server.ts",()=>d.apiBroadcasting(),"route","SSE broadcasting"),r("src/routes/api/internal/broadcast/+server.ts",()=>d.apiInternalBroadcast(),"route","Internal broadcast bridge"),r("src/routes/api/admin/users/+server.ts",()=>d.apiAdminUsers(),"route","Admin users API"),r("src/routes/api/admin/roles/+server.ts",()=>d.apiAdminRoles(),"route","Admin roles API"),r("src/routes/api/admin/permissions/+server.ts",()=>d.apiAdminPermissions(),"route","Admin permissions API"),r("src/routes/api/admin/role-permissions/+server.ts",()=>d.apiAdminRolePermissions(),"route","Role-permissions API"),r("src/routes/api/admin/user-roles/+server.ts",()=>d.apiAdminUserRoles(),"route","User-roles API"),r("src/routes/api/admin/user-permissions/+server.ts",()=>d.apiAdminUserPermissions(),"route","User-permissions API"),r("src/routes/api/admin/export/+server.ts",()=>d.apiAdminExport(),"route","Admin data export"),r("src/routes/api/admin/health/+server.ts",()=>d.apiAdminHealth(),"route","Admin health API"),r("src/routes/api/admin/queue/+server.ts",()=>d.apiAdminQueue(),"route","Admin queue API"),r("src/routes/api/admin/queue/[id]/retry/+server.ts",()=>d.apiAdminQueueRetry(),"route","Queue retry API"),r("src/routes/api/admin/queue/[id]/+server.ts",()=>d.apiAdminQueueDelete(),"route","Queue job API"),r("src/routes/api/admin/scheduler/+server.ts",()=>d.apiAdminScheduler(),"route","Admin scheduler API"),r("src/routes/api/admin/scheduler/[name]/run/+server.ts",()=>d.apiAdminSchedulerRun(),"route","Run task API"),r("src/routes/api/admin/scheduler/[name]/toggle/+server.ts",()=>d.apiAdminSchedulerToggle(),"route","Toggle task API"),r("src/routes/api/admin/logs/+server.ts",()=>d.apiAdminLogs(),"route","Admin logs API"),r("src/routes/api/admin/stats/+server.ts",()=>d.apiAdminStats(),"route","Admin stats API"),r("src/routes/api/admin/billing/subscriptions/+server.ts",()=>d.apiAdminBillingSubscriptions(),"route","Admin billing subscriptions"),r("src/routes/api/admin/billing/refund/+server.ts",()=>d.apiAdminBillingRefund(),"route","Admin billing refund"),r("src/routes/api/admin/billing/cancel/+server.ts",()=>d.apiAdminBillingCancel(),"route","Admin billing cancel"),r("src/routes/api/webhooks/stripe/+server.ts",()=>d.stripeWebhookRoute(),"route","Stripe webhook");let u=e?"src/lib/shared/jobs":"src/lib/jobs";r(`${u}/SendWelcomeEmail.ts`,()=>d.sendWelcomeEmail(),"job","Welcome email job"),r(`${u}/DailyDigestJob.ts`,()=>d.dailyDigestJob(),"job","Daily digest job"),r(`${u}/ExportDataJob.ts`,()=>d.exportDataJob(),"job","Export data job");let b=e?"src/lib/shared/scheduler":"src/lib/scheduler";return r(`${b}/CleanupExpiredTokens.ts`,()=>d.cleanupExpiredTokens(),"job","Cleanup tokens task"),r(`${b}/CleanExpiredSessions.ts`,()=>d.cleanExpiredSessions(),"job","Clean sessions task"),r(`${b}/DailyDigestEmail.ts`,()=>d.dailyDigestEmail(),"job","Daily digest task"),r(`${b}/PruneAuditLogs.ts`,()=>d.pruneAuditLogs(),"job","Prune audit logs task"),r(`${b}/QueueHealthCheck.ts`,()=>d.queueHealthCheck(),"job","Queue health check task"),r("src/routes/+layout.svelte",()=>d.rootLayoutSvelte(t),"page","Root layout"),r("src/routes/+layout.server.ts",()=>d.rootLayoutServer(),"page","Root layout server"),r("src/routes/+error.svelte",()=>d.errorSvelte(),"page","Error page"),r("src/routes/+page.svelte",()=>d.homePage(t),"page","Home page"),s}};var us=class extends g{name="key:generate";description="Generate a new APP_KEY and set it in .env";flags=[{name:"show",alias:"s",description:"Only display the key, do not write to .env",type:"boolean",default:!1},{name:"force",alias:"f",description:"Overwrite existing APP_KEY",type:"boolean",default:!1}];async handle(e,t){let{randomBytes:s}=await import("crypto"),{join:r}=await import("path"),{existsSync:i,readFileSync:a,writeFileSync:n}=await import("fs"),l=s(32).toString("hex");if(t.show){this.log(`
|
|
7258
|
+
`);this.log(""),this.log(` \x1B[90m--- ${e} (current)\x1B[0m`),this.log(` \x1B[90m+++ ${e} (updated)\x1B[0m`);let i=Math.max(s.length,r.length),a=0,n=[];for(let c=0;c<i;c++){let m=s[c]??"",p=r[c]??"";m!==p?(s[c]!==void 0&&n.push(` \x1B[31m- ${m}\x1B[0m`),r[c]!==void 0&&n.push(` \x1B[32m+ ${p}\x1B[0m`),a=0):(a<2&&n.length>0&&n.push(` \x1B[90m ${m}\x1B[0m`),a++)}let l=n.slice(0,40);for(let c of l)this.log(c);n.length>40&&this.log(` \x1B[90m... and ${n.length-40} more lines\x1B[0m`),this.log("")}printStatus(e,t,s){let r=[];for(let i of e)r.push(["\x1B[36mNEW\x1B[0m",i.path,i.category,i.description]);for(let i of t)r.push(["\x1B[33mCHANGED\x1B[0m",i.path,i.category,i.description]);for(let i of s)r.push(["\x1B[32mOK\x1B[0m",i.path,i.category,i.description]);this.table(["Status","File","Category","Description"],r)}getFileManifest(e,t){let s=[],r=(y,v,x,E)=>{s.push({path:y,content:v,category:x,description:E})};r("src/app.ts",()=>d.appTs(),"config","Application bootstrap"),r("src/hooks.server.ts",()=>d.hooksServerTs(),"config","SvelteKit hooks"),r("vite.config.ts",()=>d.viteConfig(),"config","Vite configuration"),r(".env.example",()=>d.envExample(),"config","Environment template"),r("svelar.database.json",()=>d.svelarDatabaseJson(),"config","Database config"),r("src/app.css",()=>d.appCss(),"config","Global styles"),r("src/app.html",()=>d.appHtml(),"config","HTML shell"),r("src/lib/database/migrations/00000001_create_users_table.ts",()=>d.createUsersTable(),"migration","Users table"),r("src/lib/database/migrations/00000002_create_posts_table.ts",()=>d.createPostsTable(),"migration","Posts table"),r("src/lib/database/migrations/00000003_create_permissions_tables.ts",()=>d.createPermissionsTables(),"migration","Permissions tables"),r("src/lib/database/migrations/00000004_add_role_to_users.ts",()=>d.addRoleToUsers(),"migration","Role column on users"),r("src/lib/database/migrations/00000005_create_sessions_table.ts",()=>d.createSessionsTable(),"migration","Sessions table"),r("src/lib/database/migrations/00000006_create_audit_logs_table.ts",()=>d.createAuditLogsTable(),"migration","Audit logs table"),r("src/lib/database/migrations/00000007_create_notifications_table.ts",()=>d.createNotificationsTable(),"migration","Notifications table"),r("src/lib/database/migrations/00000008_create_failed_jobs_table.ts",()=>d.createFailedJobsTable(),"migration","Failed jobs table"),r("src/lib/database/migrations/00000009_add_stripe_to_users.ts",()=>d.addStripeToUsers(),"migration","Stripe customer ID on users"),r("src/lib/database/migrations/00000010_create_subscription_plans.ts",()=>d.createSubscriptionPlansTable(),"migration","Subscription plans table"),r("src/lib/database/migrations/00000011_create_subscriptions.ts",()=>d.createSubscriptionsTable(),"migration","Subscriptions table"),r("src/lib/database/migrations/00000012_create_invoices.ts",()=>d.createInvoicesTable(),"migration","Invoices table");let i=e?"src/lib/modules/auth":"src/lib",a=e?`${i}/User.ts`:`${i}/models/User.ts`,n=e?`${i}/UserRepository.ts`:`${i}/repositories/UserRepository.ts`,l=e?`${i}/AuthService.ts`:`${i}/services/AuthService.ts`,c=e?`${i}/AuthController.ts`:`${i}/controllers/AuthController.ts`,m=e?`${i}/RegisterUserAction.ts`:`${i}/actions/RegisterUserAction.ts`;r(a,()=>d.userModel(),"domain","User model"),r(n,()=>d.userRepository(),"domain","User repository"),r(l,()=>d.authService(),"domain","Auth service"),r(c,()=>d.authController(),"domain","Auth controller"),r(m,()=>d.registerUserAction(),"domain","Register user action");let p=e?i:`${i}/dtos`;r(`${e?i:p}/RegisterRequest.ts`,()=>d.registerRequest(),"domain","Register DTO"),r(`${e?i:p}/LoginRequest.ts`,()=>d.loginRequest(),"domain","Login DTO"),r(`${e?i:p}/ForgotPasswordRequest.ts`,()=>d.forgotPasswordRequest(),"domain","Forgot password DTO"),r(`${e?i:p}/ResetPasswordRequest.ts`,()=>d.resetPasswordRequest(),"domain","Reset password DTO"),r(`${e?i:p}/OtpSendRequest.ts`,()=>d.otpSendRequest(),"domain","OTP send DTO"),r(`${e?i:p}/OtpVerifyRequest.ts`,()=>d.otpVerifyRequest(),"domain","OTP verify DTO"),r(`${e?i:`${i}/resources`}/UserResource.ts`,()=>d.userResource(),"domain","User resource"),r(`${e?i:`${i}/schemas`}/gates.ts`,()=>d.gates(),"domain","Authorization gates"),r(`${e?i+"/schemas":`${i}/schemas`}.ts`,()=>d.authSchema(),"domain","Auth Zod schemas");let h=e?"src/lib/modules/posts":"src/lib";r(`${e?h:`${h}/models`}/Post.ts`,()=>d.postModel(),"domain","Post model"),r(`${e?h:`${h}/repositories`}/PostRepository.ts`,()=>d.postRepository(),"domain","Post repository"),r(`${e?h:`${h}/services`}/PostService.ts`,()=>d.postService(),"domain","Post service"),r(`${e?h:`${h}/controllers`}/PostController.ts`,()=>d.postController(),"domain","Post controller"),r(`${e?h:`${h}/actions`}/CreatePostAction.ts`,()=>d.createPostAction(),"domain","Create post action"),r("src/lib/database/seeders/DatabaseSeeder.ts",()=>d.databaseSeeder(),"seeder","Database seeder"),r("src/routes/login/+page.server.ts",()=>d.loginPageServer(),"page","Login server"),r("src/routes/login/+page.svelte",()=>d.loginPageSvelte(),"page","Login page"),r("src/routes/register/+page.server.ts",()=>d.registerPageServer(),"page","Register server"),r("src/routes/register/+page.svelte",()=>d.registerPageSvelte(),"page","Register page"),r("src/routes/logout/+page.server.ts",()=>d.logoutPageServer(),"page","Logout handler"),r("src/routes/forgot-password/+page.server.ts",()=>d.forgotPasswordPageServer(),"page","Forgot password server"),r("src/routes/forgot-password/+page.svelte",()=>d.forgotPasswordPageSvelte(),"page","Forgot password page"),r("src/routes/reset-password/+page.server.ts",()=>d.resetPasswordPageServer(),"page","Reset password server"),r("src/routes/reset-password/+page.svelte",()=>d.resetPasswordPageSvelte(),"page","Reset password page"),r("src/routes/otp-login/+page.server.ts",()=>d.otpLoginPageServer(),"page","OTP login server"),r("src/routes/otp-login/+page.svelte",()=>d.otpLoginPageSvelte(),"page","OTP login page"),r("src/routes/verify-email/+page.server.ts",()=>d.verifyEmailPageServer(),"page","Verify email server"),r("src/routes/verify-email/+page.svelte",()=>d.verifyEmailPageSvelte(),"page","Verify email page"),r("src/routes/dashboard/+layout.server.ts",()=>d.dashboardLayoutServer(),"page","Dashboard auth guard"),r("src/routes/dashboard/+layout.svelte",()=>d.dashboardLayoutSvelte(),"page","Dashboard layout"),r("src/routes/dashboard/+page.server.ts",()=>d.dashboardPageServer(),"page","Dashboard server"),r("src/routes/dashboard/+page.svelte",()=>d.dashboardPageSvelte(),"page","Dashboard overview"),r("src/routes/dashboard/api-keys/+page.server.ts",()=>d.apiKeysPageServer(),"page","API keys server"),r("src/routes/dashboard/api-keys/+page.svelte",()=>d.apiKeysPageSvelte(),"page","API keys page"),r("src/routes/dashboard/team/+page.server.ts",()=>d.teamPageServer(),"page","Team server"),r("src/routes/dashboard/team/+page.svelte",()=>d.teamPageSvelte(),"page","Team page"),r("src/routes/dashboard/billing/+page.server.ts",()=>d.billingPageServer(),"page","Billing server"),r("src/routes/dashboard/billing/+page.svelte",()=>d.billingPageSvelte(),"page","Billing page"),r("src/routes/admin/+layout.server.ts",()=>d.adminLayoutServer(),"page","Admin auth guard"),r("src/routes/admin/+layout.svelte",()=>d.adminLayoutSvelte(),"page","Admin layout"),r("src/routes/admin/+page.server.ts",()=>d.adminPageServer(),"page","Admin server"),r("src/routes/admin/+page.svelte",()=>d.adminPageSvelte(),"page","Admin dashboard"),r("src/routes/api/health/+server.ts",()=>d.apiHealth(),"route","Health check"),r("src/routes/api/auth/register/+server.ts",()=>d.apiAuthRegister(),"route","Auth register API"),r("src/routes/api/auth/login/+server.ts",()=>d.apiAuthLogin(),"route","Auth login API"),r("src/routes/api/auth/logout/+server.ts",()=>d.apiAuthLogout(),"route","Auth logout API"),r("src/routes/api/auth/me/+server.ts",()=>d.apiAuthMe(),"route","Auth me API"),r("src/routes/api/auth/forgot-password/+server.ts",()=>d.apiAuthForgotPassword(),"route","Forgot password API"),r("src/routes/api/auth/reset-password/+server.ts",()=>d.apiAuthResetPassword(),"route","Reset password API"),r("src/routes/api/auth/otp/send/+server.ts",()=>d.apiAuthOtpSend(),"route","OTP send API"),r("src/routes/api/auth/otp/verify/+server.ts",()=>d.apiAuthOtpVerify(),"route","OTP verify API"),r("src/routes/api/auth/verify-email/+server.ts",()=>d.apiAuthVerifyEmail(),"route","Verify email API"),r("src/routes/api/posts/+server.ts",()=>d.apiPosts(),"route","Posts list/create API"),r("src/routes/api/posts/[id]/+server.ts",()=>d.apiPostsSingle(),"route","Post CRUD API"),r("src/routes/api/posts/mine/+server.ts",()=>d.apiPostsMine(),"route","My posts API"),r("src/routes/api/broadcasting/[channel]/+server.ts",()=>d.apiBroadcasting(),"route","SSE broadcasting"),r("src/routes/api/internal/broadcast/+server.ts",()=>d.apiInternalBroadcast(),"route","Internal broadcast bridge"),r("src/routes/api/admin/users/+server.ts",()=>d.apiAdminUsers(),"route","Admin users API"),r("src/routes/api/admin/roles/+server.ts",()=>d.apiAdminRoles(),"route","Admin roles API"),r("src/routes/api/admin/permissions/+server.ts",()=>d.apiAdminPermissions(),"route","Admin permissions API"),r("src/routes/api/admin/role-permissions/+server.ts",()=>d.apiAdminRolePermissions(),"route","Role-permissions API"),r("src/routes/api/admin/user-roles/+server.ts",()=>d.apiAdminUserRoles(),"route","User-roles API"),r("src/routes/api/admin/user-permissions/+server.ts",()=>d.apiAdminUserPermissions(),"route","User-permissions API"),r("src/routes/api/admin/export/+server.ts",()=>d.apiAdminExport(),"route","Admin data export"),r("src/routes/api/admin/health/+server.ts",()=>d.apiAdminHealth(),"route","Admin health API"),r("src/routes/api/admin/queue/+server.ts",()=>d.apiAdminQueue(),"route","Admin queue API"),r("src/routes/api/admin/queue/[id]/retry/+server.ts",()=>d.apiAdminQueueRetry(),"route","Queue retry API"),r("src/routes/api/admin/queue/[id]/+server.ts",()=>d.apiAdminQueueDelete(),"route","Queue job API"),r("src/routes/api/admin/scheduler/+server.ts",()=>d.apiAdminScheduler(),"route","Admin scheduler API"),r("src/routes/api/admin/scheduler/[name]/run/+server.ts",()=>d.apiAdminSchedulerRun(),"route","Run task API"),r("src/routes/api/admin/scheduler/[name]/toggle/+server.ts",()=>d.apiAdminSchedulerToggle(),"route","Toggle task API"),r("src/routes/api/admin/logs/+server.ts",()=>d.apiAdminLogs(),"route","Admin logs API"),r("src/routes/api/admin/stats/+server.ts",()=>d.apiAdminStats(),"route","Admin stats API"),r("src/routes/api/admin/billing/subscriptions/+server.ts",()=>d.apiAdminBillingSubscriptions(),"route","Admin billing subscriptions"),r("src/routes/api/admin/billing/refund/+server.ts",()=>d.apiAdminBillingRefund(),"route","Admin billing refund"),r("src/routes/api/admin/billing/cancel/+server.ts",()=>d.apiAdminBillingCancel(),"route","Admin billing cancel"),r("src/routes/api/webhooks/stripe/+server.ts",()=>d.stripeWebhookRoute(),"route","Stripe webhook");let u=e?"src/lib/shared/jobs":"src/lib/jobs";r(`${u}/SendWelcomeEmail.ts`,()=>d.sendWelcomeEmail(),"job","Welcome email job"),r(`${u}/DailyDigestJob.ts`,()=>d.dailyDigestJob(),"job","Daily digest job"),r(`${u}/ExportDataJob.ts`,()=>d.exportDataJob(),"job","Export data job");let b=e?"src/lib/shared/scheduler":"src/lib/scheduler";return r(`${b}/CleanupExpiredTokens.ts`,()=>d.cleanupExpiredTokens(),"job","Cleanup tokens task"),r(`${b}/CleanExpiredSessions.ts`,()=>d.cleanExpiredSessions(),"job","Clean sessions task"),r(`${b}/DailyDigestEmail.ts`,()=>d.dailyDigestEmail(),"job","Daily digest task"),r(`${b}/PruneAuditLogs.ts`,()=>d.pruneAuditLogs(),"job","Prune audit logs task"),r(`${b}/QueueHealthCheck.ts`,()=>d.queueHealthCheck(),"job","Queue health check task"),r("src/routes/+layout.svelte",()=>d.rootLayoutSvelte(t),"page","Root layout"),r("src/routes/+layout.server.ts",()=>d.rootLayoutServer(),"page","Root layout server"),r("src/routes/+error.svelte",()=>d.errorSvelte(),"page","Error page"),r("src/routes/+page.svelte",()=>d.homePage(t),"page","Home page"),s}};var us=class extends g{name="key:generate";description="Generate a new APP_KEY and set it in .env";flags=[{name:"show",alias:"s",description:"Only display the key, do not write to .env",type:"boolean",default:!1},{name:"force",alias:"f",description:"Overwrite existing APP_KEY",type:"boolean",default:!1}];async handle(e,t){let{randomBytes:s}=await import("crypto"),{join:r}=await import("path"),{existsSync:i,readFileSync:a,writeFileSync:n}=await import("fs"),l=s(32).toString("hex");if(t.show){this.log(`
|
|
7259
7259
|
APP_KEY=${l}
|
|
7260
7260
|
`);return}let c=r(process.cwd(),".env");if(!i(c)){let h=r(process.cwd(),".env.example");if(i(h)){let u=a(h,"utf-8");u=u.replace(/^APP_KEY=.*$/m,`APP_KEY=${l}`),n(c,u),this.success("Application key set (created .env from .env.example).")}else n(c,`APP_KEY=${l}
|
|
7261
7261
|
`),this.success("Application key set (created .env).");return}let m=a(c,"utf-8"),p=m.match(/^APP_KEY=(.*)$/m);if(p&&p[1]&&p[1]!=="change-me-to-a-random-string"&&!t.force){this.warn("APP_KEY already set. Use --force to overwrite.");return}if(p){let h=m.replace(/^APP_KEY=.*$/m,`APP_KEY=${l}`);n(c,h)}else n(c,`APP_KEY=${l}
|
|
7262
7262
|
${m}`);this.success("Application key set.")}};var hs=class extends g{name="plugin:list";description="List all discovered and enabled plugins";arguments=[];flags=[];async handle(e,t){try{let{PluginRegistry:s}=await Promise.resolve().then(()=>(ps(),_r)),r=s;await r.discover();let i=r.list();if(i.length===0){this.info("No plugins discovered.");return}let a=["Name","Version","Description","Status","Config","Migrations"],n=i.map(l=>[l.name,l.version,l.description||"-",l.enabled?"\u2713 Enabled":" Disabled",l.hasConfig?"\u2713":"-",l.hasMigrations?"\u2713":"-"]);this.newLine(),this.table(a,n),this.newLine(),this.info(`Total: ${i.length} plugin(s)`)}catch(s){this.error(`Failed to list plugins: ${s?.message??String(s)}`)}}};var gs=class extends g{name="plugin:publish";description="Publish a plugin's config and migration files";arguments=["name"];flags=[{name:"force",alias:"f",description:"Overwrite existing files",type:"boolean"},{name:"only",alias:"o",description:"Publish only config|migrations|assets",type:"string"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a plugin name.");return}try{let{PluginRegistry:r}=await Promise.resolve().then(()=>(ps(),_r)),{PluginPublisher:i}=await Promise.resolve().then(()=>(Ir(),ra)),a=r,n=i;await a.discover();let l=a.get(s);if(!l){this.error(`Plugin "${s}" not found.`);return}let c=await this.loadPluginClass(l.packageName);if(!c){this.error(`Failed to load plugin class for "${s}".`);return}let m=new c,p={force:t.force||!1,only:t.only};this.info(`Publishing plugin: ${s}`);let h=await n.publish(m,p);this.newLine(),h.configs.length>0&&(this.success(`${h.configs.length} config file(s) published:`),h.configs.forEach(u=>this.log(` - ${u}`))),h.migrations.length>0&&(this.success(`${h.migrations.length} migration file(s) published:`),h.migrations.forEach(u=>this.log(` - ${u}`))),h.assets.length>0&&(this.success(`${h.assets.length} asset file(s) published:`),h.assets.forEach(u=>this.log(` - ${u}`))),h.configs.length===0&&h.migrations.length===0&&h.assets.length===0&&this.warn("No publishable files found for this plugin."),this.newLine()}catch(r){this.error(`Failed to publish plugin: ${r?.message??String(r)}`)}}async loadPluginClass(e){try{let t=await import(e);return t.default||Object.values(t)[0]}catch{return null}}};var fs=class extends g{name="plugin:install";description="Install a plugin from npm";arguments=["package"];flags=[{name:"no-publish",alias:"n",description:"Skip auto-publishing plugin assets",type:"boolean"}];async handle(e,t){let s=e[0];if(!s){this.error("Please provide a package name.");return}try{let{PluginInstaller:r}=await Promise.resolve().then(()=>(aa(),ia)),i=r;this.info(`Installing plugin package: ${s}`),this.newLine();let a=await i.install(s,{publish:!t["no-publish"]});this.newLine(),a.success?(this.success(`Plugin installed: ${a.pluginName} (v${a.version})`),a.published&&(a.published.configs.length>0&&this.info(`${a.published.configs.length} config file(s) published`),a.published.migrations.length>0&&this.info(`${a.published.migrations.length} migration file(s) published`),a.published.assets.length>0&&this.info(`${a.published.assets.length} asset file(s) published`)),this.newLine(),this.log("You can now use the plugin in your application by registering it in your app bootstrap code.")):this.error(`Failed to install plugin: ${a.error}`),this.newLine()}catch(r){this.error(`Installation error: ${r?.message??String(r)}`)}}};var na=Or(process.cwd(),".env");if(Lo(na))for(let o of ca(na,"utf-8").split(`
|
|
7263
|
-
`)){let e=o.trim();if(!e||e.startsWith("#"))continue;let t=e.indexOf("=");if(t===-1)continue;let s=e.slice(0,t).trim(),r=e.slice(t+1).trim();(r.startsWith('"')&&r.endsWith('"')||r.startsWith("'")&&r.endsWith("'"))&&(r=r.slice(1,-1)),s in process.env||(process.env[s]=r)}var _o=oa(la(import.meta.url));Do(Ao(Or(_o,"ts-resolve-hook.mjs")).href,import.meta.url);var Mo=oa(la(import.meta.url)),No=Or(Mo,"..","..","package.json"),Io=JSON.parse(ca(No,"utf-8")),C=new Ge(Io.version);C.register(ls);C.register(ds);C.register(us);C.register(Ze);C.register(Xe);C.register(et);C.register(tt);C.register(st);C.register(rt);C.register(it);C.register(at);C.register(nt);C.register(ot);C.register(ft);C.register(bt);C.register(lt);C.register(ct);C.register(dt);C.register(ut);C.register(mt);C.register(pt);C.register(ht);C.register(gt);C.register(yt);C.register(vt);C.register(wt);C.register(Ct);C.register(xt);C.register(
|
|
7263
|
+
`)){let e=o.trim();if(!e||e.startsWith("#"))continue;let t=e.indexOf("=");if(t===-1)continue;let s=e.slice(0,t).trim(),r=e.slice(t+1).trim();(r.startsWith('"')&&r.endsWith('"')||r.startsWith("'")&&r.endsWith("'"))&&(r=r.slice(1,-1)),s in process.env||(process.env[s]=r)}var _o=oa(la(import.meta.url));Do(Ao(Or(_o,"ts-resolve-hook.mjs")).href,import.meta.url);var Mo=oa(la(import.meta.url)),No=Or(Mo,"..","..","package.json"),Io=JSON.parse(ca(No,"utf-8")),C=new Ge(Io.version);C.register(ls);C.register(ds);C.register(us);C.register(Ze);C.register(Xe);C.register(et);C.register(tt);C.register(st);C.register(rt);C.register(it);C.register(at);C.register(nt);C.register(ot);C.register(ft);C.register(bt);C.register(lt);C.register(ct);C.register(dt);C.register(ut);C.register(mt);C.register(pt);C.register(ht);C.register(gt);C.register(yt);C.register(vt);C.register(wt);C.register(Ct);C.register(xt);C.register(Pt);C.register(St);C.register(Et);C.register(At);C.register(Dt);C.register(Lt);C.register(_t);C.register(os);C.register(hs);C.register(gs);C.register(fs);async function jo(){let{join:o}=await import("path"),{existsSync:e,readdirSync:t}=await import("fs"),{pathToFileURL:s}=await import("url"),r=o(process.cwd(),"src","lib","shared","commands");if(!e(r))return;let i=t(r).filter(a=>(a.endsWith(".ts")||a.endsWith(".js"))&&!a.startsWith("."));for(let a of i)try{let n=o(r,a),c=await import(s(n).href),m=c.default??Object.values(c).find(p=>typeof p=="function"&&p.prototype&&"handle"in p.prototype);m&&typeof m=="function"&&C.add(new m)}catch{}}jo().then(()=>C.run());
|