Compare commits

..

9 Commits

Author SHA1 Message Date
Max Koon
74f4da1d3d feat: rpc client 2025-11-29 00:57:32 -05:00
Max Koon
3ebb7ee796 feat: add @effect/rpc 2025-11-28 15:04:42 -05:00
Max Koon
02dd064d99 chore: remove hono 2025-11-26 12:10:28 -05:00
Max Koon
cbc220a968 refactor: api routes 2025-11-26 12:09:12 -05:00
Max Koon
ed3e6df4d2 feat: better auth api handler 2025-11-26 02:38:00 -05:00
Max Koon
371f5e879b feat: add effect api 2025-11-26 00:32:18 -05:00
Max Koon
2df7f2d924 feat: refresh transactions on table 2025-11-24 23:05:34 -05:00
Max Koon
6fd531d9c3 format: format with biome 2025-11-24 22:20:40 -05:00
Max Koon
01edded95a feat: add biome config 2025-11-24 20:37:59 -05:00
60 changed files with 1879 additions and 994 deletions

View File

@@ -7,10 +7,12 @@
"start": "tsx src/index.ts" "start": "tsx src/index.ts"
}, },
"dependencies": { "dependencies": {
"@hono/node-server": "^1.19.5", "@effect/platform": "^0.93.2",
"@effect/platform-node": "^0.101.1",
"@effect/rpc": "^0.72.2",
"@money/shared": "workspace:*", "@money/shared": "workspace:*",
"better-auth": "^1.3.27", "better-auth": "^1.3.27",
"hono": "^4.9.12", "effect": "^3.19.4",
"plaid": "^39.0.0", "plaid": "^39.0.0",
"tsx": "^4.20.6" "tsx": "^4.20.6"
}, },

View File

@@ -0,0 +1,23 @@
import { Effect, Layer } from "effect";
import { Authorization } from "./context";
import { auth } from "./config";
import { AuthorizationError, AuthorizationUnknownError } from "./errors";
export const make = () =>
Effect.gen(function* () {
return Authorization.of({
use: (fn) =>
Effect.gen(function* () {
const data = yield* Effect.tryPromise({
try: () => fn(auth),
catch: (error) =>
error instanceof Error
? new AuthorizationError({ message: error.message })
: new AuthorizationUnknownError(),
});
return data;
}),
});
});
export const BetterAuthLive = Layer.scoped(Authorization, make());

View File

@@ -3,7 +3,7 @@ import { drizzleAdapter } from "better-auth/adapters/drizzle";
import { bearer, deviceAuthorization, genericOAuth } from "better-auth/plugins"; import { bearer, deviceAuthorization, genericOAuth } from "better-auth/plugins";
import { expo } from "@better-auth/expo"; import { expo } from "@better-auth/expo";
import { drizzleSchema } from "@money/shared/db"; import { drizzleSchema } from "@money/shared/db";
import { db } from "./db"; import { db } from "../db";
import { BASE_URL, HOST } from "@money/shared"; import { BASE_URL, HOST } from "@money/shared";
export const auth = betterAuth({ export const auth = betterAuth({
@@ -20,25 +20,25 @@ export const auth = betterAuth({
"money://", "money://",
], ],
advanced: { advanced: {
crossSubDomainCookies: { crossSubDomainCookies: {
enabled: process.env.NODE_ENV == 'production', enabled: process.env.NODE_ENV == "production",
domain: "koon.us", domain: "koon.us",
}, },
}, },
plugins: [ plugins: [
expo(), expo(),
genericOAuth({ genericOAuth({
config: [ config: [
{ {
providerId: 'koon-family', providerId: "koon-family",
clientId: process.env.OAUTH_CLIENT_ID!, clientId: process.env.OAUTH_CLIENT_ID!,
clientSecret: process.env.OAUTH_CLIENT_SECRET!, clientSecret: process.env.OAUTH_CLIENT_SECRET!,
discoveryUrl: process.env.OAUTH_DISCOVERY_URL!, discoveryUrl: process.env.OAUTH_DISCOVERY_URL!,
scopes: ["profile", "email"], scopes: ["profile", "email"],
} },
] ],
}), }),
deviceAuthorization(), deviceAuthorization(),
bearer(), bearer(),
] ],
}); });

View File

@@ -0,0 +1,14 @@
import { Context, type Effect } from "effect";
import type { AuthorizationError, AuthorizationUnknownError } from "./errors";
import type { auth } from "./config";
export class Authorization extends Context.Tag("Authorization")<
Authorization,
AuthorizationImpl
>() {}
export interface AuthorizationImpl {
use: <T>(
fn: (client: typeof auth) => Promise<T>,
) => Effect.Effect<T, AuthorizationUnknownError | AuthorizationError, never>;
}

View File

@@ -0,0 +1,8 @@
import { Data } from "effect";
export class AuthorizationUnknownError extends Data.TaggedError(
"AuthClientUnknownError",
) {}
export class AuthorizationError extends Data.TaggedError("AuthorizationError")<{
message: string;
}> {}

View File

@@ -0,0 +1,70 @@
import {
HttpApi,
HttpApiBuilder,
HttpApiEndpoint,
HttpApiGroup,
HttpLayerRouter,
HttpServerRequest,
} from "@effect/platform";
import * as NodeHttpServerRequest from "@effect/platform-node/NodeHttpServerRequest";
import { toNodeHandler } from "better-auth/node";
import { Effect, Layer } from "effect";
import { AuthorizationError } from "./errors";
import { auth } from "./config";
const authHandler = Effect.gen(function* () {
const request = yield* HttpServerRequest.HttpServerRequest;
const nodeRequest = NodeHttpServerRequest.toIncomingMessage(request);
const nodeResponse = NodeHttpServerRequest.toServerResponse(request);
nodeResponse.setHeader("Access-Control-Allow-Origin", "http://laptop:8081");
nodeResponse.setHeader(
"Access-Control-Allow-Methods",
"GET, POST, PUT, DELETE, OPTIONS",
);
nodeResponse.setHeader(
"Access-Control-Allow-Headers",
"Content-Type, Authorization, B3, traceparent, Cookie",
);
nodeResponse.setHeader("Access-Control-Max-Age", "600");
nodeResponse.setHeader("Access-Control-Allow-Credentials", "true");
// Handle preflight requests
if (nodeRequest.method === "OPTIONS") {
nodeResponse.statusCode = 200;
nodeResponse.end();
return;
// return nodeResponse;
}
yield* Effect.tryPromise({
try: () => toNodeHandler(auth)(nodeRequest, nodeResponse),
catch: (error) => {
return new AuthorizationError({ message: `${error}` });
},
});
// return nodeResponse;
});
export class AuthContractGroup extends HttpApiGroup.make("auth")
.add(HttpApiEndpoint.get("get", "/*"))
.add(HttpApiEndpoint.post("post", "/*"))
.add(HttpApiEndpoint.options("options", "/*"))
.prefix("/api/auth") {}
export class DomainApi extends HttpApi.make("domain").add(AuthContractGroup) {}
export const Api = HttpApi.make("api").addHttpApi(DomainApi);
const AuthLive = HttpApiBuilder.group(Api, "auth", (handlers) =>
handlers
.handle("get", () => authHandler.pipe(Effect.orDie))
.handle("post", () => authHandler.pipe(Effect.orDie))
.handle("options", () => authHandler.pipe(Effect.orDie)),
);
export const AuthRoute = HttpLayerRouter.addHttpApi(Api).pipe(
Layer.provide(AuthLive),
);

View File

@@ -1,5 +0,0 @@
import type { AuthData } from "@money/shared/auth";
import { Hono } from "hono";
export const getHono = () =>
new Hono<{ Variables: { auth: AuthData | null } }>();

View File

@@ -1,58 +1,49 @@
import { serve } from "@hono/node-server"; import * as Layer from "effect/Layer";
import { authDataSchema } from "@money/shared/auth"; import * as Effect from "effect/Effect";
import * as HttpLayerRouter from "@effect/platform/HttpLayerRouter";
import * as HttpServerResponse from "@effect/platform/HttpServerResponse";
import * as NodeRuntime from "@effect/platform-node/NodeRuntime";
import * as NodeHttpServer from "@effect/platform-node/NodeHttpServer";
import { createServer } from "http";
import { AuthRoute } from "./auth/handler";
import { BetterAuthLive } from "./auth/better-auth";
import { WebhookReceiverRoute } from "./webhook";
import { ZeroMutateRoute, ZeroQueryRoute } from "./zero/handler";
import { RpcRoute } from "./rpc/handler";
import { BASE_URL } from "@money/shared"; import { BASE_URL } from "@money/shared";
import { cors } from "hono/cors"; import { CurrentSession, SessionMiddleware } from "./middleware/session";
import { auth } from "./auth";
import { getHono } from "./hono";
import { zero } from "./zero";
import { webhook } from "./webhook";
const app = getHono(); const RootRoute = HttpLayerRouter.add(
"GET",
"/",
Effect.gen(function* () {
const d = yield* CurrentSession;
app.use( return HttpServerResponse.text("OK");
"/api/*",
cors({
origin: ['https://money.koon.us', `${BASE_URL}:8081`],
allowMethods: ["POST", "GET", "OPTIONS"],
allowHeaders: ["Content-Type", "Authorization"],
credentials: true,
}), }),
); );
app.on(["GET", "POST"], "/api/auth/*", (c) => auth.handler(c.req.raw)); const AllRoutes = Layer.mergeAll(
RootRoute,
app.use("*", async (c, next) => { AuthRoute,
const authHeader = c.req.raw.headers.get("Authorization"); ZeroQueryRoute,
const cookie = authHeader?.split("Bearer ")[1]; ZeroMutateRoute,
RpcRoute,
const newHeaders = new Headers(c.req.raw.headers); WebhookReceiverRoute,
).pipe(
if (cookie) { Layer.provide(SessionMiddleware.layer),
newHeaders.set("Cookie", cookie); Layer.provide(
} HttpLayerRouter.cors({
allowedOrigins: ["https://money.koon.us", `${BASE_URL}:8081`],
const session = await auth.api.getSession({ headers: newHeaders }); allowedMethods: ["POST", "GET", "OPTIONS"],
credentials: true,
if (!session) { }),
c.set("auth", null); ),
return next(); );
}
c.set("auth", authDataSchema.parse(session)); HttpLayerRouter.serve(AllRoutes).pipe(
return next(); Layer.provide(NodeHttpServer.layer(createServer, { port: 3000 })),
}); Layer.provide(BetterAuthLive),
Layer.launch,
app.route("/api/zero", zero); NodeRuntime.runMain,
app.get("/api", (c) => c.text("OK"));
app.get("/api/webhook_receiver", webhook);
app.get("/", (c) => c.text("OK"));
serve(
{
fetch: app.fetch,
port: process.env.PORT ? parseInt(process.env.PORT) : 3000,
},
(info) => {
console.log(`Server is running on ${info.address}:${info.port}`);
},
); );

View File

@@ -0,0 +1,12 @@
import { HttpLayerRouter, HttpMiddleware } from "@effect/platform";
import { BASE_URL } from "@money/shared";
export const CorsMiddleware = HttpLayerRouter.middleware(
HttpMiddleware.cors({
allowedOrigins: ["https://money.koon.us", `${BASE_URL}:8081`],
allowedMethods: ["POST", "GET", "OPTIONS"],
allowedHeaders: ["Content-Type", "Authorization"],
credentials: true,
}),
{ global: true },
);

View File

@@ -0,0 +1,61 @@
import { AuthSchema } from "@money/shared/auth";
import { Context, Effect, Schema, Console } from "effect";
import { Authorization } from "../auth/context";
import { HttpLayerRouter, HttpServerRequest } from "@effect/platform";
export class CurrentSession extends Context.Tag("CurrentSession")<
CurrentSession,
{ readonly auth: Schema.Schema.Type<typeof AuthSchema> | null }
>() {}
export const SessionMiddleware = HttpLayerRouter.middleware<{
provides: CurrentSession;
}>()(
Effect.gen(function* () {
const auth = yield* Authorization;
return (httpEffect) =>
Effect.gen(function* () {
const request = yield* HttpServerRequest.HttpServerRequest;
const headers = { ...request.headers };
const token = yield* HttpServerRequest.schemaHeaders(
Schema.Struct({
authorization: Schema.optional(Schema.String),
}),
).pipe(
Effect.tap(Console.debug),
Effect.flatMap(({ authorization }) =>
authorization != undefined
? parseAuthorization(authorization)
: Effect.succeed(undefined),
),
);
if (token) {
headers["cookie"] = token;
}
const session = yield* auth
.use((auth) => auth.api.getSession({ headers }))
.pipe(
Effect.flatMap((s) =>
s == null ? Effect.succeed(null) : Schema.decode(AuthSchema)(s),
),
// Effect.tap((s) => Console.debug("Auth result", s)),
);
return yield* Effect.provideService(httpEffect, CurrentSession, {
auth: session,
});
});
}),
);
const parseAuthorization = (input: string) =>
Effect.gen(function* () {
const m = /^Bearer\s+(.+)$/.exec(input);
if (!m) {
return yield* Effect.fail(new Error("Invalid token"));
}
return m[1];
});

View File

@@ -1,13 +1,15 @@
import { Configuration, PlaidApi, PlaidEnvironments } from "plaid"; import { Configuration, PlaidApi, PlaidEnvironments } from "plaid";
const configuration = new Configuration({ const configuration = new Configuration({
basePath: process.env.PLAID_ENV == 'production' ? PlaidEnvironments.production : PlaidEnvironments.sandbox, basePath:
process.env.PLAID_ENV == "production"
? PlaidEnvironments.production
: PlaidEnvironments.sandbox,
baseOptions: { baseOptions: {
headers: { headers: {
'PLAID-CLIENT-ID': process.env.PLAID_CLIENT_ID, "PLAID-CLIENT-ID": process.env.PLAID_CLIENT_ID,
'PLAID-SECRET': process.env.PLAID_SECRET, "PLAID-SECRET": process.env.PLAID_SECRET,
} },
}, },
}); });
export const plaidClient = new PlaidApi(configuration); export const plaidClient = new PlaidApi(configuration);

View File

@@ -0,0 +1,76 @@
import { RpcSerialization, RpcServer } from "@effect/rpc";
import { Console, Effect, Layer, Schema } from "effect";
import { LinkRpcs, Link, AuthMiddleware } from "@money/shared/rpc";
import { CurrentSession } from "../middleware/session";
import { Authorization } from "../auth/context";
import { HttpServerRequest } from "@effect/platform";
import { AuthSchema } from "@money/shared/auth";
const parseAuthorization = (input: string) =>
Effect.gen(function* () {
const m = /^Bearer\s+(.+)$/.exec(input);
if (!m) {
return yield* Effect.fail(new Error("Invalid token"));
}
return m[1];
});
export const AuthLive = Layer.scoped(
AuthMiddleware,
Effect.gen(function* () {
const auth = yield* Authorization;
return AuthMiddleware.of(({ headers, payload, rpc }) =>
Effect.gen(function* () {
const newHeaders = { ...headers };
const token = yield* Schema.decodeUnknown(
Schema.Struct({
authorization: Schema.optional(Schema.String),
}),
)(headers).pipe(
// Effect.tap(Console.debug),
Effect.flatMap(({ authorization }) =>
authorization != undefined
? parseAuthorization(authorization)
: Effect.succeed(undefined),
),
);
if (token) {
newHeaders["cookie"] = token;
}
const session = yield* auth
.use((auth) => auth.api.getSession({ headers: newHeaders }))
.pipe(
Effect.flatMap((s) =>
s == null ? Effect.succeed(null) : Schema.decode(AuthSchema)(s),
),
Effect.tap((s) => Console.debug("Auth result", s)),
);
return { auth: session };
}).pipe(Effect.orDie),
);
}),
);
const LinkHandlers = LinkRpcs.toLayer({
CreateLink: () =>
Effect.gen(function* () {
const session = yield* CurrentSession;
return new Link({ href: session.auth?.user.name || "anon" });
}),
});
export const RpcRoute = RpcServer.layerHttpRouter({
group: LinkRpcs,
path: "/rpc",
protocol: "http",
}).pipe(
Layer.provide(LinkHandlers),
Layer.provide(RpcSerialization.layerJson),
Layer.provide(AuthLive),
);

View File

@@ -1,14 +1,21 @@
import type { Context } from "hono"; import {
HttpLayerRouter,
HttpServerRequest,
HttpServerResponse,
} from "@effect/platform";
import { Effect } from "effect";
import { plaidClient } from "./plaid"; import { plaidClient } from "./plaid";
// import { LinkSessionFinishedWebhook, WebhookType } from "plaid"; // import { LinkSessionFinishedWebhook, WebhookType } from "plaid";
export const webhook = async (c: Context) => { export const WebhookReceiverRoute = HttpLayerRouter.add(
"*",
"/api/webhook_receiver",
console.log("Got webhook"); Effect.gen(function* () {
const b = await c.req.text(); const request = yield* HttpServerRequest.HttpServerRequest;
console.log("body:", b); const body = yield* request.json;
Effect.log("Got a webhook!", body);
return HttpServerResponse.text("HELLO THERE");
return c.text("Hi"); }),
);
}

View File

@@ -1,206 +0,0 @@
import {
type ReadonlyJSONValue,
type Transaction,
withValidation,
} from "@rocicorp/zero";
import {
handleGetQueriesRequest,
PushProcessor,
ZQLDatabase,
} from "@rocicorp/zero/server";
import { PostgresJSConnection } from '@rocicorp/zero/pg';
import postgres from 'postgres';
import {
createMutators as createMutatorsShared,
isLoggedIn,
queries,
schema,
type Mutators,
type Schema,
} from "@money/shared";
import type { AuthData } from "@money/shared/auth";
import { getHono } from "./hono";
import { Configuration, CountryCode, PlaidApi, PlaidEnvironments, Products } from "plaid";
import { randomUUID } from "crypto";
import { db } from "./db";
import { balance, plaidAccessTokens, plaidLink, transaction } from "@money/shared/db";
import { eq, inArray, sql, type InferInsertModel } from "drizzle-orm";
import { plaidClient } from "./plaid";
const processor = new PushProcessor(
new ZQLDatabase(
new PostgresJSConnection(postgres(process.env.ZERO_UPSTREAM_DB! as string)),
schema,
),
);
type Tx = Transaction<Schema>;
const createMutators = (authData: AuthData | null) => {
const mutators = createMutatorsShared(authData);
return {
...mutators,
link: {
...mutators.link,
async create() {
isLoggedIn(authData);
const r = await plaidClient.linkTokenCreate({
user: {
client_user_id: authData.user.id,
},
client_name: "Koon Money",
language: "en",
products: [Products.Transactions],
country_codes: [CountryCode.Us],
webhook: "https://webhooks.koon.us/api/webhook_receiver",
hosted_link: {}
});
const { link_token, hosted_link_url } = r.data;
if (!hosted_link_url) throw Error("No link in response");
await db.insert(plaidLink).values({
id: randomUUID() as string,
user_id: authData.user.id,
link: hosted_link_url,
token: link_token,
});
},
async get(_, { link_token }) {
isLoggedIn(authData);
const linkResp = await plaidClient.linkTokenGet({
link_token,
});
if (!linkResp) throw Error("No link respo");
console.log(JSON.stringify(linkResp.data, null, 4));
const publicToken = linkResp.data.link_sessions?.at(0)?.results?.item_add_results.at(0)?.public_token;
if (!publicToken) throw Error("No public token");
const { data } = await plaidClient.itemPublicTokenExchange({
public_token: publicToken,
})
await db.insert(plaidAccessTokens).values({
id: randomUUID(),
userId: authData.user.id,
token: data.access_token,
logoUrl: "",
name: ""
});
},
async updateTransactions() {
isLoggedIn(authData);
const accounts = await db.query.plaidAccessTokens.findMany({
where: eq(plaidAccessTokens.userId, authData.user.id),
});
if (accounts.length == 0) {
console.error("No accounts");
return;
}
for (const account of accounts) {
const { data } = await plaidClient.transactionsGet({
access_token: account.token,
start_date: "2025-10-01",
end_date: new Date().toISOString().split("T")[0],
});
const transactions = data.transactions.map(tx => ({
id: randomUUID(),
user_id: authData.user.id,
plaid_id: tx.transaction_id,
account_id: tx.account_id,
name: tx.name,
amount: tx.amount as any,
datetime: tx.datetime ? new Date(tx.datetime) : new Date(tx.date),
authorized_datetime: tx.authorized_datetime ? new Date(tx.authorized_datetime) : undefined,
json: JSON.stringify(tx),
} satisfies InferInsertModel<typeof transaction>));
await db.insert(transaction).values(transactions).onConflictDoNothing({
target: transaction.plaid_id,
});
const txReplacingPendingIds = data.transactions
.filter(t => t.pending_transaction_id)
.map(t => t.pending_transaction_id!);
await db.delete(transaction)
.where(inArray(transaction.plaid_id, txReplacingPendingIds));
}
},
async updateBalences() {
isLoggedIn(authData);
const accounts = await db.query.plaidAccessTokens.findMany({
where: eq(plaidAccessTokens.userId, authData.user.id),
});
if (accounts.length == 0) {
console.error("No accounts");
return;
}
for (const account of accounts) {
const { data } = await plaidClient.accountsBalanceGet({
access_token: account.token
});
await db.insert(balance).values(data.accounts.map(bal => ({
id: randomUUID(),
user_id: authData.user.id,
plaid_id: bal.account_id,
avaliable: bal.balances.available as any,
current: bal.balances.current as any,
name: bal.name,
tokenId: account.id,
}))).onConflictDoUpdate({
target: balance.plaid_id,
set: { current: sql.raw(`excluded.${balance.current.name}`), avaliable: sql.raw(`excluded.${balance.avaliable.name}`) }
})
}
},
}
} as const satisfies Mutators;
}
const zero = getHono()
.post("/mutate", async (c) => {
const authData = c.get("auth");
const result = await processor.process(createMutators(authData), c.req.raw);
return c.json(result);
})
.post("/get-queries", async (c) => {
const authData = c.get("auth");
const result = await handleGetQueriesRequest(
(name, args) => ({ query: getQuery(authData, name, args) }),
schema,
c.req.raw,
);
return c.json(result);
});
const validatedQueries = Object.fromEntries(
Object.values(queries).map((q) => [q.queryName, withValidation(q)]),
);
function getQuery(
authData: AuthData | null,
name: string,
args: readonly ReadonlyJSONValue[],
) {
if (name in validatedQueries) {
const q = validatedQueries[name];
return q(authData, ...args);
}
throw new Error(`Unknown query: ${name}`);
}
export { zero };

View File

@@ -0,0 +1,6 @@
import { Data } from "effect";
export class ZeroUnknownError extends Data.TaggedError("ZeroUnknownError") {}
export class ZeroError extends Data.TaggedError("ZeroError")<{
error: Error;
}> {}

View File

@@ -0,0 +1,106 @@
import {
HttpLayerRouter,
HttpServerRequest,
HttpServerResponse,
Url,
} from "@effect/platform";
import { Console, Effect, Layer } from "effect";
import { CurrentSession, SessionMiddleware } from "../middleware/session";
import { ZeroError, ZeroUnknownError } from "./errors";
import { withValidation, type ReadonlyJSONValue } from "@rocicorp/zero";
import {
handleGetQueriesRequest,
PushProcessor,
ZQLDatabase,
} from "@rocicorp/zero/server";
import { BASE_URL, queries, schema } from "@money/shared";
import type { AuthSchemaType } from "@money/shared/auth";
import { PostgresJSConnection } from "@rocicorp/zero/pg";
import postgres from "postgres";
import { createMutators } from "./mutators";
const processor = new PushProcessor(
new ZQLDatabase(
new PostgresJSConnection(postgres(process.env.ZERO_UPSTREAM_DB! as string)),
schema,
),
);
export const ZeroQueryRoute = HttpLayerRouter.add(
"POST",
"/api/zero/get-queries",
Effect.gen(function* () {
const { auth } = yield* CurrentSession;
const request = yield* HttpServerRequest.HttpServerRequest;
const body = yield* request.json;
const result = yield* Effect.tryPromise({
try: () =>
handleGetQueriesRequest(
(name, args) => ({ query: getQuery(auth, name, args) }),
schema,
body as ReadonlyJSONValue,
),
catch: (error) =>
error instanceof Error
? new ZeroError({ error })
: new ZeroUnknownError(),
}).pipe(
Effect.tapErrorTag("ZeroError", (err) =>
Console.error("Zero Error", err.error),
),
);
return yield* HttpServerResponse.json(result);
}),
).pipe(Layer.provide(SessionMiddleware.layer));
function getQuery(
authData: AuthSchemaType | null,
name: string,
args: readonly ReadonlyJSONValue[],
) {
if (name in validatedQueries) {
const q = validatedQueries[name];
return q(authData, ...args);
}
throw new Error(`Unknown query: ${name}`);
}
export const validatedQueries = Object.fromEntries(
Object.values(queries).map((q) => [q.queryName, withValidation(q)]),
);
export const ZeroMutateRoute = HttpLayerRouter.add(
"POST",
"/api/zero/mutate",
Effect.gen(function* () {
const { auth } = yield* CurrentSession;
const request = yield* HttpServerRequest.HttpServerRequest;
const url = yield* Url.fromString(`${BASE_URL}${request.url}`);
const body = yield* request.json;
const result = yield* Effect.tryPromise({
try: () =>
processor.process(
createMutators(auth),
url.searchParams,
body as ReadonlyJSONValue,
),
catch: (error) =>
error instanceof Error
? new ZeroError({ error })
: new ZeroUnknownError(),
}).pipe(
Effect.tapErrorTag("ZeroError", (err) =>
Console.error("Zero Error", err.error),
),
);
return yield* HttpServerResponse.json(result);
}),
).pipe(Layer.provide(SessionMiddleware.layer));

View File

@@ -0,0 +1,202 @@
import {
createMutators as createMutatorsShared,
isLoggedIn,
queries,
schema,
type Mutators,
type Schema,
} from "@money/shared";
import type { AuthSchemaType } from "@money/shared/auth";
import {
type ReadonlyJSONValue,
type Transaction,
withValidation,
} from "@rocicorp/zero";
import { plaidClient } from "../plaid";
import { CountryCode, Products } from "plaid";
import {
balance,
plaidAccessTokens,
plaidLink,
transaction,
} from "@money/shared/db";
import { db } from "../db";
import { randomUUID } from "crypto";
import { and, eq, inArray, sql, type InferInsertModel } from "drizzle-orm";
type Tx = Transaction<Schema>;
export const createMutators = (authData: AuthSchemaType | null) => {
const mutators = createMutatorsShared(authData);
return {
...mutators,
link: {
...mutators.link,
async create() {
isLoggedIn(authData);
const r = await plaidClient.linkTokenCreate({
user: {
client_user_id: authData.user.id,
},
client_name: "Koon Money",
language: "en",
products: [Products.Transactions],
country_codes: [CountryCode.Us],
webhook: "https://webhooks.koon.us/api/webhook_receiver",
hosted_link: {},
});
const { link_token, hosted_link_url } = r.data;
if (!hosted_link_url) throw Error("No link in response");
await db.insert(plaidLink).values({
id: randomUUID() as string,
user_id: authData.user.id,
link: hosted_link_url,
token: link_token,
});
},
async get(_, { link_token }) {
isLoggedIn(authData);
try {
const token = await db.query.plaidLink.findFirst({
where: and(
eq(plaidLink.token, link_token),
eq(plaidLink.user_id, authData.user.id),
),
});
if (!token) throw Error("Link not found");
if (token.completeAt) return;
const linkResp = await plaidClient.linkTokenGet({
link_token,
});
if (!linkResp) throw Error("No link respo");
console.log(JSON.stringify(linkResp.data, null, 4));
const item_add_result = linkResp.data.link_sessions
?.at(0)
?.results?.item_add_results.at(0);
// We will assume its not done yet.
if (!item_add_result) return;
const { data } = await plaidClient.itemPublicTokenExchange({
public_token: item_add_result.public_token,
});
await db.insert(plaidAccessTokens).values({
id: randomUUID(),
userId: authData.user.id,
token: data.access_token,
logoUrl: "",
name: item_add_result.institution?.name || "Unknown",
});
await db
.update(plaidLink)
.set({
completeAt: new Date(),
})
.where(eq(plaidLink.token, link_token));
} catch (e) {
console.error(e);
throw Error("Plaid error");
}
},
async updateTransactions() {
isLoggedIn(authData);
const accounts = await db.query.plaidAccessTokens.findMany({
where: eq(plaidAccessTokens.userId, authData.user.id),
});
if (accounts.length == 0) {
console.error("No accounts");
return;
}
for (const account of accounts) {
const { data } = await plaidClient.transactionsGet({
access_token: account.token,
start_date: "2025-10-01",
end_date: new Date().toISOString().split("T")[0],
});
const transactions = data.transactions.map(
(tx) =>
({
id: randomUUID(),
user_id: authData.user.id,
plaid_id: tx.transaction_id,
account_id: tx.account_id,
name: tx.name,
amount: tx.amount as any,
datetime: tx.datetime
? new Date(tx.datetime)
: new Date(tx.date),
authorized_datetime: tx.authorized_datetime
? new Date(tx.authorized_datetime)
: undefined,
json: JSON.stringify(tx),
}) satisfies InferInsertModel<typeof transaction>,
);
await db
.insert(transaction)
.values(transactions)
.onConflictDoNothing({
target: transaction.plaid_id,
});
const txReplacingPendingIds = data.transactions
.filter((t) => t.pending_transaction_id)
.map((t) => t.pending_transaction_id!);
await db
.delete(transaction)
.where(inArray(transaction.plaid_id, txReplacingPendingIds));
}
},
async updateBalences() {
isLoggedIn(authData);
const accounts = await db.query.plaidAccessTokens.findMany({
where: eq(plaidAccessTokens.userId, authData.user.id),
});
if (accounts.length == 0) {
console.error("No accounts");
return;
}
for (const account of accounts) {
const { data } = await plaidClient.accountsBalanceGet({
access_token: account.token,
});
await db
.insert(balance)
.values(
data.accounts.map((bal) => ({
id: randomUUID(),
user_id: authData.user.id,
plaid_id: bal.account_id,
avaliable: bal.balances.available as any,
current: bal.balances.current as any,
name: bal.name,
tokenId: account.id,
})),
)
.onConflictDoUpdate({
target: balance.plaid_id,
set: {
current: sql.raw(`excluded.${balance.current.name}`),
avaliable: sql.raw(`excluded.${balance.avaliable.name}`),
},
});
}
},
},
} as const satisfies Mutators;
};

View File

@@ -5,7 +5,9 @@ import { authClient } from "@/lib/auth-client";
export default function Page() { export default function Page() {
const { route: initalRoute } = useLocalSearchParams<{ route: string[] }>(); const { route: initalRoute } = useLocalSearchParams<{ route: string[] }>();
const [route, setRoute] = useState(initalRoute ? "/" + initalRoute.join("/") : "/"); const [route, setRoute] = useState(
initalRoute ? "/" + initalRoute.join("/") : "/",
);
const { data } = authClient.useSession(); const { data } = authClient.useSession();

View File

@@ -1,17 +1,24 @@
import { Stack } from 'expo-router'; import { Stack } from "expo-router";
import 'react-native-reanimated'; import "react-native-reanimated";
import { authClient } from '@/lib/auth-client'; import { authClient } from "@/lib/auth-client";
import { ZeroProvider } from '@rocicorp/zero/react'; import { ZeroProvider } from "@rocicorp/zero/react";
import { useMemo } from 'react'; import { useMemo } from "react";
import { authDataSchema } from '@money/shared/auth'; import { AuthSchema } from "@money/shared/auth";
import { Platform } from 'react-native'; import { Platform } from "react-native";
import type { ZeroOptions } from '@rocicorp/zero'; import type { ZeroOptions } from "@rocicorp/zero";
import { schema, type Schema, createMutators, type Mutators, BASE_URL } from '@money/shared'; import {
schema,
type Schema,
createMutators,
type Mutators,
BASE_URL,
} from "@money/shared";
import { expoSQLiteStoreProvider } from "@rocicorp/zero/react-native"; import { expoSQLiteStoreProvider } from "@rocicorp/zero/react-native";
import { Schema as S } from "effect";
export const unstable_settings = { export const unstable_settings = {
anchor: 'index', anchor: "index",
}; };
const kvStore = Platform.OS === "web" ? undefined : expoSQLiteStoreProvider(); const kvStore = Platform.OS === "web" ? undefined : expoSQLiteStoreProvider();
@@ -20,19 +27,22 @@ export default function RootLayout() {
const { data: session, isPending } = authClient.useSession(); const { data: session, isPending } = authClient.useSession();
const authData = useMemo(() => { const authData = useMemo(() => {
const result = authDataSchema.safeParse(session); const result = session ? S.decodeSync(AuthSchema)(session) : null;
return result.success ? result.data : null; return result ? result : null;
}, [session]); }, [session]);
const cookie = useMemo(() => { const cookie = useMemo(() => {
return Platform.OS == 'web' ? undefined : authClient.getCookie(); return Platform.OS == "web" ? undefined : authClient.getCookie();
}, [session, isPending]); }, [session, isPending]);
const zeroProps = useMemo(() => { const zeroProps = useMemo(() => {
return { return {
storageKey: 'money', storageKey: "money",
kvStore, kvStore,
server: process.env.NODE_ENV == 'production' ? 'https://zero.koon.us' : `${BASE_URL}:4848`, server:
process.env.NODE_ENV == "production"
? "https://zero.koon.us"
: `${BASE_URL}:4848`,
userID: authData?.user.id ?? "anon", userID: authData?.user.id ?? "anon",
schema, schema,
mutators: createMutators(authData), mutators: createMutators(authData),

View File

@@ -4,7 +4,7 @@ import { useEffect } from "react";
import { Text } from "react-native"; import { Text } from "react-native";
export default function Page() { export default function Page() {
const { code } = useLocalSearchParams<{code: string }>(); const { code } = useLocalSearchParams<{ code: string }>();
const { isPending, data } = authClient.useSession(); const { isPending, data } = authClient.useSession();
if (isPending) return <Text>Loading...</Text>; if (isPending) return <Text>Loading...</Text>;
if (!isPending && !data) return <Text>Please log in</Text>; if (!isPending && !data) return <Text>Please log in</Text>;
@@ -13,11 +13,7 @@ export default function Page() {
authClient.device.approve({ authClient.device.approve({
userCode: code, userCode: code,
}); });
}, []); }, []);
return <Text> return <Text>Approving: {code}</Text>;
Approving: {code}
</Text>
} }

View File

@@ -6,7 +6,10 @@ export default function Auth() {
const onLogin = () => { const onLogin = () => {
authClient.signIn.oauth2({ authClient.signIn.oauth2({
providerId: "koon-family", providerId: "koon-family",
callbackURL: process.env.NODE_ENV == 'production' ? 'https://money.koon.us' : `${BASE_URL}:8081`, callbackURL:
process.env.NODE_ENV == "production"
? "https://money.koon.us"
: `${BASE_URL}:8081`,
}); });
}; };
@@ -14,5 +17,5 @@ export default function Auth() {
<View> <View>
<Button onPress={onLogin} title="Login with Koon Family" /> <Button onPress={onLogin} title="Login with Koon Family" />
</View> </View>
) );
} }

View File

@@ -1,8 +1,14 @@
import { authClient } from '@/lib/auth-client'; import { authClient } from "@/lib/auth-client";
import { RefreshControl, ScrollView, StatusBar, Text, View } from 'react-native'; import {
RefreshControl,
ScrollView,
StatusBar,
Text,
View,
} from "react-native";
import { useQuery, useZero } from "@rocicorp/zero/react"; import { useQuery, useZero } from "@rocicorp/zero/react";
import { queries, type Mutators, type Schema } from '@money/shared'; import { queries, type Mutators, type Schema } from "@money/shared";
import { useState } from 'react'; import { useState } from "react";
export default function HomeScreen() { export default function HomeScreen() {
const { data: session } = authClient.useSession(); const { data: session } = authClient.useSession();
@@ -20,16 +26,43 @@ export default function HomeScreen() {
return ( return (
<> <>
<StatusBar barStyle="dark-content" /> <StatusBar barStyle="dark-content" />
<ScrollView contentContainerStyle={{ paddingTop: StatusBar.currentHeight, flexGrow: 1 }} refreshControl={<RefreshControl refreshing={refreshing} onRefresh={onRefresh} />} style={{ paddingHorizontal: 10 }}> <ScrollView
{balances.map(balance => <Balance key={balance.id} balance={balance} />)} contentContainerStyle={{
paddingTop: StatusBar.currentHeight,
flexGrow: 1,
}}
refreshControl={
<RefreshControl refreshing={refreshing} onRefresh={onRefresh} />
}
style={{ paddingHorizontal: 10 }}
>
{balances.map((balance) => (
<Balance key={balance.id} balance={balance} />
))}
</ScrollView> </ScrollView>
</> </>
); );
} }
function Balance({ balance }: { balance: { name: string, current: number, avaliable: number } }) { function Balance({
return <View style={{ backgroundColor: "#eee", borderColor: "#ddd", borderWidth: 1, marginBottom: 10, borderRadius: 10 }}> balance,
<Text style={{ fontSize: 15, textAlign: "center" }}>{balance.name}</Text> }: {
<Text style={{ fontSize: 30, textAlign: "center" }}>{balance.current}</Text> balance: { name: string; current: number; avaliable: number };
</View> }) {
return (
<View
style={{
backgroundColor: "#eee",
borderColor: "#ddd",
borderWidth: 1,
marginBottom: 10,
borderRadius: 10,
}}
>
<Text style={{ fontSize: 15, textAlign: "center" }}>{balance.name}</Text>
<Text style={{ fontSize: 30, textAlign: "center" }}>
{balance.current}
</Text>
</View>
);
} }

View File

@@ -1,10 +1,10 @@
// https://docs.expo.dev/guides/using-eslint/ // https://docs.expo.dev/guides/using-eslint/
const { defineConfig } = require('eslint/config'); const { defineConfig } = require("eslint/config");
const expoConfig = require('eslint-config-expo/flat'); const expoConfig = require("eslint-config-expo/flat");
module.exports = defineConfig([ module.exports = defineConfig([
expoConfig, expoConfig,
{ {
ignores: ['dist/*'], ignores: ["dist/*"],
}, },
]); ]);

View File

@@ -1,11 +1,17 @@
import { createAuthClient } from "better-auth/react"; import { createAuthClient } from "better-auth/react";
import { deviceAuthorizationClient, genericOAuthClient } from "better-auth/client/plugins"; import {
deviceAuthorizationClient,
genericOAuthClient,
} from "better-auth/client/plugins";
import { expoClient } from "@better-auth/expo/client"; import { expoClient } from "@better-auth/expo/client";
import * as SecureStore from "expo-secure-store"; import * as SecureStore from "expo-secure-store";
import { BASE_URL } from "@money/shared"; import { BASE_URL } from "@money/shared";
export const authClient = createAuthClient({ export const authClient = createAuthClient({
baseURL: process.env.NODE_ENV == 'production' ? 'https://money-api.koon.us' : `${BASE_URL}:3000`, baseURL:
process.env.NODE_ENV == "production"
? "https://money-api.koon.us"
: `${BASE_URL}:3000`,
plugins: [ plugins: [
expoClient({ expoClient({
scheme: "money", scheme: "money",
@@ -14,5 +20,5 @@ export const authClient = createAuthClient({
}), }),
genericOAuthClient(), genericOAuthClient(),
deviceAuthorizationClient(), deviceAuthorizationClient(),
] ],
}); });

View File

@@ -1,6 +1,6 @@
const { getDefaultConfig } = require("expo/metro-config"); const { getDefaultConfig } = require("expo/metro-config");
const config = getDefaultConfig(__dirname) const config = getDefaultConfig(__dirname);
// Add wasm asset support // Add wasm asset support
config.resolver.assetExts.push("wasm"); config.resolver.assetExts.push("wasm");

View File

@@ -15,6 +15,7 @@
}, },
"dependencies": { "dependencies": {
"@better-auth/expo": "^1.3.27", "@better-auth/expo": "^1.3.27",
"@effect-atom/atom-react": "^0.4.0",
"@expo/vector-icons": "^15.0.2", "@expo/vector-icons": "^15.0.2",
"@money/shared": "workspace:*", "@money/shared": "workspace:*",
"@money/ui": "workspace:*", "@money/ui": "workspace:*",

View File

@@ -5,9 +5,12 @@ import path from "path";
const aliasPlugin = { const aliasPlugin = {
name: "alias-react-native", name: "alias-react-native",
setup(build) { setup(build) {
build.onResolve({ filter: /^react-native$/ }, args => { build.onResolve({ filter: /^react-native$/ }, (args) => {
return { return {
path: path.resolve(__dirname, "../../packages/react-native-opentui/index.tsx"), path: path.resolve(
__dirname,
"../../packages/react-native-opentui/index.tsx",
),
}; };
}); });
}, },
@@ -16,9 +19,9 @@ const aliasPlugin = {
// Build configuration // Build configuration
await esbuild.build({ await esbuild.build({
entryPoints: ["src/index.tsx"], // your app entry entryPoints: ["src/index.tsx"], // your app entry
bundle: true, // inline all dependencies (ui included) bundle: true, // inline all dependencies (ui included)
platform: "node", // Node/Bun target platform: "node", // Node/Bun target
format: "esm", // keep ESM for top-level await format: "esm", // keep ESM for top-level await
outfile: "dist/index.js", outfile: "dist/index.js",
sourcemap: true, sourcemap: true,
plugins: [aliasPlugin], plugins: [aliasPlugin],

View File

@@ -4,9 +4,5 @@ import { deviceAuthorizationClient } from "better-auth/client/plugins";
export const authClient = createAuthClient({ export const authClient = createAuthClient({
baseURL: config.apiUrl, baseURL: config.apiUrl,
plugins: [ plugins: [deviceAuthorizationClient()],
deviceAuthorizationClient(),
]
}); });

View File

@@ -1,39 +1,71 @@
import { Context, Data, Effect, Layer, Schema, Console, Schedule, Ref, Duration } from "effect"; import {
Context,
Data,
Effect,
Layer,
Schema,
Console,
Schedule,
Ref,
Duration,
} from "effect";
import { FileSystem } from "@effect/platform"; import { FileSystem } from "@effect/platform";
import { config } from "./config"; import { config } from "./config";
import { AuthState } from "./schema";
import { authClient } from "@/lib/auth-client"; import { authClient } from "@/lib/auth-client";
import type { BetterFetchResponse } from "@better-fetch/fetch"; import type { BetterFetchResponse } from "@better-fetch/fetch";
import { AuthSchema } from "@money/shared/auth";
import { encode } from "node:punycode";
class AuthClientUnknownError extends Data.TaggedError("AuthClientUnknownError") {}; class AuthClientUnknownError extends Data.TaggedError(
class AuthClientExpiredToken extends Data.TaggedError("AuthClientExpiredToken") {}; "AuthClientUnknownError",
class AuthClientNoData extends Data.TaggedError("AuthClientNoData") {}; ) {}
class AuthClientFetchError extends Data.TaggedError("AuthClientFetchError")<{ message: string, }> {}; class AuthClientExpiredToken extends Data.TaggedError(
"AuthClientExpiredToken",
) {}
class AuthClientNoData extends Data.TaggedError("AuthClientNoData") {}
class AuthClientFetchError extends Data.TaggedError("AuthClientFetchError")<{
message: string;
}> {}
class AuthClientError<T> extends Data.TaggedError("AuthClientError")<{ class AuthClientError<T> extends Data.TaggedError("AuthClientError")<{
error: T, error: T;
}> {}; }> {}
type ErrorType<E> = { [key in keyof ((E extends Record<string, any> ? E : { type ErrorType<E> = {
message?: string; [key in keyof ((E extends Record<string, any>
}) & { ? E
: {
message?: string;
}) & {
status: number; status: number;
statusText: string; statusText: string;
})]: ((E extends Record<string, any> ? E : { })]: ((E extends Record<string, any>
message?: string; ? E
}) & { : {
message?: string;
}) & {
status: number; status: number;
statusText: string; statusText: string;
})[key]; }; })[key];
};
export class AuthClient extends Context.Tag("AuthClient")<AuthClient, AuthClientImpl>() {}; export class AuthClient extends Context.Tag("AuthClient")<
AuthClient,
AuthClientImpl
>() {}
export interface AuthClientImpl { export interface AuthClientImpl {
use: <T, E>( use: <T, E>(
fn: (client: typeof authClient) => Promise<BetterFetchResponse<T, E>>, fn: (client: typeof authClient) => Promise<BetterFetchResponse<T, E>>,
) => Effect.Effect<T, AuthClientError<ErrorType<E>> | AuthClientFetchError | AuthClientUnknownError | AuthClientNoData, never> ) => Effect.Effect<
T,
| AuthClientError<ErrorType<E>>
| AuthClientFetchError
| AuthClientUnknownError
| AuthClientNoData,
never
>;
} }
export const make = () => export const make = () =>
Effect.gen(function* () { Effect.gen(function* () {
return AuthClient.of({ return AuthClient.of({
@@ -41,11 +73,13 @@ export const make = () =>
Effect.gen(function* () { Effect.gen(function* () {
const { data, error } = yield* Effect.tryPromise({ const { data, error } = yield* Effect.tryPromise({
try: () => fn(authClient), try: () => fn(authClient),
catch: (error) => error instanceof Error catch: (error) =>
? new AuthClientFetchError({ message: error.message }) error instanceof Error
: new AuthClientUnknownError() ? new AuthClientFetchError({ message: error.message })
: new AuthClientUnknownError(),
}); });
if (error != null) return yield* Effect.fail(new AuthClientError({ error })); if (error != null)
return yield* Effect.fail(new AuthClientError({ error }));
if (data == null) return yield* Effect.fail(new AuthClientNoData()); if (data == null) return yield* Effect.fail(new AuthClientNoData());
return data; return data;
}), }),
@@ -54,79 +88,84 @@ export const make = () =>
export const AuthClientLayer = Layer.scoped(AuthClient, make()); export const AuthClientLayer = Layer.scoped(AuthClient, make());
const pollToken = ({ device_code }: { device_code: string }) => Effect.gen(function* () { const pollToken = ({ device_code }: { device_code: string }) =>
const auth = yield* AuthClient; Effect.gen(function* () {
const intervalRef = yield* Ref.make(5); const auth = yield* AuthClient;
const intervalRef = yield* Ref.make(5);
const tokenEffect = auth.use(client => { const tokenEffect = auth.use((client) => {
Console.debug("Fetching"); Console.debug("Fetching");
return client.device.token({ return client.device.token({
grant_type: "urn:ietf:params:oauth:grant-type:device_code", grant_type: "urn:ietf:params:oauth:grant-type:device_code",
device_code, device_code,
client_id: config.authClientId, client_id: config.authClientId,
fetchOptions: { headers: { "user-agent": config.authClientUserAgent } }, fetchOptions: { headers: { "user-agent": config.authClientUserAgent } },
}) });
} });
);
return yield* tokenEffect return yield* tokenEffect.pipe(
.pipe( Effect.tapError((error) =>
Effect.tapError(error =>
error._tag == "AuthClientError" && error.error.error == "slow_down" error._tag == "AuthClientError" && error.error.error == "slow_down"
? Ref.update(intervalRef, current => { ? Ref.update(intervalRef, (current) => {
Console.debug("updating delay to ", current + 5); Console.debug("updating delay to ", current + 5);
return current + 5 return current + 5;
}) })
: Effect.void : Effect.void,
), ),
Effect.retry({ Effect.retry({
schedule: Schedule.addDelayEffect( schedule: Schedule.addDelayEffect(
Schedule.recurWhile<Effect.Effect.Error<typeof tokenEffect>>(error => Schedule.recurWhile<Effect.Effect.Error<typeof tokenEffect>>(
error._tag == "AuthClientError" && (error) =>
(error.error.error == "authorization_pending" || error.error.error == "slow_down") error._tag == "AuthClientError" &&
(error.error.error == "authorization_pending" ||
error.error.error == "slow_down"),
), ),
() => Ref.get(intervalRef).pipe(Effect.map(Duration.seconds)) () => Ref.get(intervalRef).pipe(Effect.map(Duration.seconds)),
) ),
}) }),
); );
});
});
const getFromFromDisk = Effect.gen(function* () { const getFromFromDisk = Effect.gen(function* () {
const fs = yield* FileSystem.FileSystem; const fs = yield* FileSystem.FileSystem;
const content = yield* fs.readFileString(config.authPath); const content = yield* fs.readFileString(config.authPath);
const auth = yield* Schema.decode(Schema.parseJson(AuthState))(content); const auth = yield* Schema.decode(Schema.parseJson(AuthSchema))(content);
if (auth.session.expiresAt < new Date()) yield* Effect.fail(new AuthClientExpiredToken()); if (auth.session.expiresAt < new Date())
yield* Effect.fail(new AuthClientExpiredToken());
return auth; return auth;
}); });
const requestAuth = Effect.gen(function* () { const requestAuth = Effect.gen(function* () {
const auth = yield* AuthClient; const auth = yield* AuthClient;
const { device_code, user_code } = yield* auth.use(client => client.device.code({ const { device_code, user_code } = yield* auth.use((client) =>
client_id: config.authClientId, client.device.code({
scope: "openid profile email", client_id: config.authClientId,
})); scope: "openid profile email",
}),
);
console.log(`Please use the code: ${user_code}`); console.log(`Please use the code: ${user_code}`);
const { access_token } = yield* pollToken({ device_code }); const { access_token } = yield* pollToken({ device_code });
const sessionData = yield* auth.use(client => client.getSession({ const sessionData = yield* auth.use((client) =>
fetchOptions: { client.getSession({
auth: { fetchOptions: {
type: "Bearer", auth: {
token: access_token, type: "Bearer",
} token: access_token,
} },
})); },
}),
);
if (sessionData == null) return yield* Effect.fail(new AuthClientNoData()); if (sessionData == null) return yield* Effect.fail(new AuthClientNoData());
const result = yield* Schema.decodeUnknown(AuthState)(sessionData) const result = yield* Schema.decodeUnknown(AuthSchema)(sessionData);
const encoded = yield* Schema.encode(AuthSchema)(result);
const fs = yield* FileSystem.FileSystem; const fs = yield* FileSystem.FileSystem;
yield* fs.writeFileString(config.authPath, JSON.stringify(result)); yield* fs.writeFileString(config.authPath, JSON.stringify(encoded));
return result; return result;
}); });
@@ -134,33 +173,51 @@ const requestAuth = Effect.gen(function* () {
export const getAuth = Effect.gen(function* () { export const getAuth = Effect.gen(function* () {
return yield* getFromFromDisk.pipe( return yield* getFromFromDisk.pipe(
Effect.catchAll(() => requestAuth), Effect.catchAll(() => requestAuth),
Effect.catchTag("AuthClientFetchError", (err) => Effect.gen(function* () { Effect.catchTag("AuthClientFetchError", (err) =>
yield* Console.error("Authentication failed: " + err.message); Effect.gen(function* () {
process.exit(1); yield* Console.error("Authentication failed: " + err.message);
})), process.exit(1);
Effect.catchTag("AuthClientNoData", () => Effect.gen(function* () { }),
yield* Console.error("Authentication failed: No error and no data was given by the auth server."); ),
process.exit(1); Effect.catchTag("AuthClientNoData", () =>
})), Effect.gen(function* () {
Effect.catchTag("ParseError", (err) => Effect.gen(function* () { yield* Console.error(
yield* Console.error("Authentication failed: Auth data failed: " + err.toString()); "Authentication failed: No error and no data was given by the auth server.",
process.exit(1); );
})), process.exit(1);
Effect.catchTag("BadArgument", () => Effect.gen(function* () { }),
yield* Console.error("Authentication failed: Bad argument"); ),
process.exit(1); Effect.catchTag("ParseError", (err) =>
})), Effect.gen(function* () {
Effect.catchTag("SystemError", () => Effect.gen(function* () { yield* Console.error(
yield* Console.error("Authentication failed: System error"); "Authentication failed: Auth data failed: " + err.toString(),
process.exit(1); );
})), process.exit(1);
Effect.catchTag("AuthClientError", ({ error }) => Effect.gen(function* () { }),
yield* Console.error("Authentication error: " + error.statusText); ),
process.exit(1); Effect.catchTag("BadArgument", () =>
})), Effect.gen(function* () {
Effect.catchTag("AuthClientUnknownError", () => Effect.gen(function* () { yield* Console.error("Authentication failed: Bad argument");
yield* Console.error("Unknown authentication error"); process.exit(1);
process.exit(1); }),
})), ),
Effect.catchTag("SystemError", () =>
Effect.gen(function* () {
yield* Console.error("Authentication failed: System error");
process.exit(1);
}),
),
Effect.catchTag("AuthClientError", ({ error }) =>
Effect.gen(function* () {
yield* Console.error("Authentication error: " + error.statusText);
process.exit(1);
}),
),
Effect.catchTag("AuthClientUnknownError", () =>
Effect.gen(function* () {
yield* Console.error("Unknown authentication error");
process.exit(1);
}),
),
); );
}); });

View File

@@ -10,5 +10,5 @@ export const config = {
authClientId: "koon-family", authClientId: "koon-family",
authClientUserAgent: "CLI", authClientUserAgent: "CLI",
zeroUrl: "http://laptop:4848", zeroUrl: "http://laptop:4848",
apiUrl: "http://laptop:3000" apiUrl: "http://laptop:3000",
}; };

View File

@@ -2,40 +2,42 @@ import { createCliRenderer } from "@opentui/core";
import { createRoot, useKeyboard } from "@opentui/react"; import { createRoot, useKeyboard } from "@opentui/react";
import { App, type Route } from "@money/ui"; import { App, type Route } from "@money/ui";
import { ZeroProvider } from "@rocicorp/zero/react"; import { ZeroProvider } from "@rocicorp/zero/react";
import { schema } from '@money/shared'; import { schema } from "@money/shared";
import { useState } from "react"; import { useState } from "react";
import { AuthClientLayer, getAuth } from "./auth"; import { AuthClientLayer, getAuth } from "./auth";
import { Effect } from "effect"; import { Effect, Redacted } from "effect";
import { BunContext } from "@effect/platform-bun"; import { BunContext } from "@effect/platform-bun";
import type { AuthData } from "./schema";
import { kvStore } from "./store"; import { kvStore } from "./store";
import { config } from "./config"; import { config } from "./config";
import { type AuthSchemaType } from "@money/shared/auth";
function Main({ auth }: { auth: AuthData }) { function Main({ auth }: { auth: AuthSchemaType }) {
const [route, setRoute] = useState<Route>("/"); const [route, setRoute] = useState<Route>("/");
useKeyboard(key => { useKeyboard((key) => {
if (key.name == "c" && key.ctrl) process.exit(0); if (key.name == "c" && key.ctrl) process.exit(0);
}); });
return ( return (
<ZeroProvider {...{ userID: auth.user.id, auth: auth.session.token, server: config.zeroUrl, schema, kvStore }}> <ZeroProvider
<App {...{
auth={auth} userID: auth.user.id,
route={route} auth: Redacted.value(auth.session.token),
setRoute={setRoute} server: config.zeroUrl,
/> schema,
kvStore,
}}
>
<App auth={auth} route={route} setRoute={setRoute} />
</ZeroProvider> </ZeroProvider>
); );
} }
const auth = await Effect.runPromise( const auth = await Effect.runPromise(
getAuth.pipe( getAuth.pipe(
Effect.provide(BunContext.layer), Effect.provide(BunContext.layer),
Effect.provide(AuthClientLayer), Effect.provide(AuthClientLayer),
) ),
); );
const renderer = await createCliRenderer({ exitOnCtrlC: false }); const renderer = await createCliRenderer({ exitOnCtrlC: false });
createRoot(renderer).render(<Main auth={auth} />); createRoot(renderer).render(<Main auth={auth} />);

View File

@@ -1,33 +0,0 @@
import { Schema } from "effect";
const DateFromDateOrString = Schema.Union(Schema.DateFromString, Schema.DateFromSelf);
const SessionSchema = Schema.Struct({
expiresAt: DateFromDateOrString,
token: Schema.String,
createdAt: DateFromDateOrString,
updatedAt: DateFromDateOrString,
ipAddress: Schema.optional(Schema.NullishOr(Schema.String)),
userAgent: Schema.optional(Schema.NullishOr(Schema.String)),
userId: Schema.String,
id: Schema.String,
});
const UserSchema = Schema.Struct({
name: Schema.String,
email: Schema.String,
emailVerified: Schema.Boolean,
image: Schema.optional(Schema.NullishOr(Schema.String)),
createdAt: DateFromDateOrString,
updatedAt: DateFromDateOrString,
id: Schema.String,
});
export const AuthState = Schema.Struct({
session: SessionSchema,
user: UserSchema,
});
export type AuthData = typeof AuthState.Type;

View File

@@ -23,7 +23,7 @@ async function loadFile(name: string): Promise<Map<string, ReadonlyJSONValue>> {
const buf = await fs.readFile(filePath, "utf8"); const buf = await fs.readFile(filePath, "utf8");
const obj = JSON.parse(buf) as Record<string, ReadonlyJSONValue>; const obj = JSON.parse(buf) as Record<string, ReadonlyJSONValue>;
const frozen = Object.fromEntries( const frozen = Object.fromEntries(
Object.entries(obj).map(([k, v]) => [k, deepFreeze(v)]) Object.entries(obj).map(([k, v]) => [k, deepFreeze(v)]),
); );
return new Map(Object.entries(frozen)); return new Map(Object.entries(frozen));
} catch (err: any) { } catch (err: any) {
@@ -73,7 +73,9 @@ export const kvStore: StoreProvider = {
closed: txClosed, closed: txClosed,
async has(key: string) { async has(key: string) {
if (txClosed) throw new Error("transaction closed"); if (txClosed) throw new Error("transaction closed");
return staging.has(key) ? staging.get(key) !== undefined : data.has(key); return staging.has(key)
? staging.get(key) !== undefined
: data.has(key);
}, },
async get(key: string) { async get(key: string) {
if (txClosed) throw new Error("transaction closed"); if (txClosed) throw new Error("transaction closed");

View File

@@ -22,5 +22,3 @@ export function QR(value: string): string {
} }
return out; return out;
} }

15
biome.jsonc Normal file
View File

@@ -0,0 +1,15 @@
{
"$schema": "https://biomejs.dev/schemas/2.0.5/schema.json",
"formatter": {
"enabled": true,
"indentStyle": "space"
},
"linter": {
"enabled": false
},
"vcs": {
"enabled": true,
"clientKind": "git",
"useIgnoreFile": true
}
}

View File

@@ -5,10 +5,8 @@ import type {
PressableProps, PressableProps,
ScrollViewProps, ScrollViewProps,
ModalProps, ModalProps,
StyleProp, StyleProp,
ViewStyle, ViewStyle,
LinkingImpl, LinkingImpl,
} from "react-native"; } from "react-native";
import { useTerminalDimensions } from "@opentui/react"; import { useTerminalDimensions } from "@opentui/react";
@@ -22,187 +20,205 @@ const RATIO_HEIGHT = 17;
function attr<K extends keyof ViewStyle>( function attr<K extends keyof ViewStyle>(
style: StyleProp<ViewStyle>, style: StyleProp<ViewStyle>,
name: K, name: K,
type: "string" type: "string",
): Extract<ViewStyle[K], string> | undefined; ): Extract<ViewStyle[K], string> | undefined;
function attr<K extends keyof ViewStyle>( function attr<K extends keyof ViewStyle>(
style: StyleProp<ViewStyle>, style: StyleProp<ViewStyle>,
name: K, name: K,
type: "number" type: "number",
): Extract<ViewStyle[K], number> | undefined; ): Extract<ViewStyle[K], number> | undefined;
function attr<K extends keyof ViewStyle>( function attr<K extends keyof ViewStyle>(
style: StyleProp<ViewStyle>, style: StyleProp<ViewStyle>,
name: K, name: K,
type: "boolean" type: "boolean",
): Extract<ViewStyle[K], boolean> | undefined; ): Extract<ViewStyle[K], boolean> | undefined;
function attr<K extends keyof ViewStyle>( function attr<K extends keyof ViewStyle>(
style: StyleProp<ViewStyle>, style: StyleProp<ViewStyle>,
name: K, name: K,
type: "string" | "number" | "boolean" type: "string" | "number" | "boolean",
) { ) {
if (!style) return undefined; if (!style) return undefined;
const obj: ViewStyle = const obj: ViewStyle = Array.isArray(style)
Array.isArray(style) ? Object.assign({}, ...style.filter(Boolean))
? Object.assign({}, ...style.filter(Boolean)) : (style as ViewStyle);
: (style as ViewStyle);
const v = obj[name]; const v = obj[name];
return typeof v === type ? v : undefined; return typeof v === type ? v : undefined;
} }
export function View({ children, style }: ViewProps) { export function View({ children, style }: ViewProps) {
const bg = style && const bg =
'backgroundColor' in style style && "backgroundColor" in style
? typeof style.backgroundColor == 'string' ? typeof style.backgroundColor == "string"
? style.backgroundColor.startsWith('rgba(') ? style.backgroundColor.startsWith("rgba(")
? (() => { ? (() => {
const parts = style.backgroundColor.split("(")[1].split(")")[0]; const parts = style.backgroundColor.split("(")[1].split(")")[0];
const [r, g, b, a] = parts.split(",").map(parseFloat); const [r, g, b, a] = parts.split(",").map(parseFloat);
return RGBA.fromInts(r, g, b, a * 255); return RGBA.fromInts(r, g, b, a * 255);
})() })()
: style.backgroundColor : style.backgroundColor
: undefined : undefined
: undefined; : undefined;
const padding = attr(style, 'padding', 'number'); const padding = attr(style, "padding", "number");
const props = { const props = {
overflow: attr(style, 'overflow', 'string'), overflow: attr(style, "overflow", "string"),
position: attr(style, 'position', 'string'), position: attr(style, "position", "string"),
alignSelf: attr(style, 'alignSelf', 'string'), alignSelf: attr(style, "alignSelf", "string"),
alignItems: attr(style, 'alignItems', 'string'), alignItems: attr(style, "alignItems", "string"),
justifyContent: attr(style, 'justifyContent', 'string'), justifyContent: attr(style, "justifyContent", "string"),
flexShrink: attr(style, 'flexShrink', 'number'), flexShrink: attr(style, "flexShrink", "number"),
flexDirection: attr(style, 'flexDirection', 'string'), flexDirection: attr(style, "flexDirection", "string"),
flexGrow: attr(style, 'flex', 'number') || attr(style, 'flexGrow', 'number'), flexGrow:
attr(style, "flex", "number") || attr(style, "flexGrow", "number"),
}; };
return <box return (
backgroundColor={bg} <box
paddingTop={padding && Math.round(padding / RATIO_HEIGHT)} backgroundColor={bg}
paddingBottom={padding && Math.round(padding / RATIO_HEIGHT)} paddingTop={padding && Math.round(padding / RATIO_HEIGHT)}
paddingLeft={padding && Math.round(padding / RATIO_WIDTH)} paddingBottom={padding && Math.round(padding / RATIO_HEIGHT)}
paddingRight={padding && Math.round(padding / RATIO_WIDTH)} paddingLeft={padding && Math.round(padding / RATIO_WIDTH)}
{...props} paddingRight={padding && Math.round(padding / RATIO_WIDTH)}
>{children}</box> {...props}
>
{children}
</box>
);
} }
export function Pressable({ children: childrenRaw, style, onPress }: PressableProps) { export function Pressable({
const bg = style && children: childrenRaw,
'backgroundColor' in style style,
? typeof style.backgroundColor == 'string' onPress,
? style.backgroundColor.startsWith('rgba(') }: PressableProps) {
? (() => { const bg =
const parts = style.backgroundColor.split("(")[1].split(")")[0]; style && "backgroundColor" in style
const [r, g, b, a] = parts.split(",").map(parseFloat); ? typeof style.backgroundColor == "string"
return RGBA.fromInts(r, g, b, a * 255); ? style.backgroundColor.startsWith("rgba(")
})() ? (() => {
: style.backgroundColor const parts = style.backgroundColor.split("(")[1].split(")")[0];
: undefined const [r, g, b, a] = parts.split(",").map(parseFloat);
: undefined; return RGBA.fromInts(r, g, b, a * 255);
const flexDirection = style && })()
'flexDirection' in style : style.backgroundColor
? typeof style.flexDirection == 'string' : undefined
? style.flexDirection : undefined;
: undefined const flexDirection =
: undefined; style && "flexDirection" in style
const flex = style && ? typeof style.flexDirection == "string"
'flex' in style ? style.flexDirection
? typeof style.flex == 'number' : undefined
? style.flex : undefined;
: undefined const flex =
: undefined; style && "flex" in style
const flexShrink = style && ? typeof style.flex == "number"
'flexShrink' in style ? style.flex
? typeof style.flexShrink == 'number' : undefined
? style.flexShrink : undefined;
: undefined const flexShrink =
: undefined; style && "flexShrink" in style
const overflow = style && ? typeof style.flexShrink == "number"
'overflow' in style ? style.flexShrink
? typeof style.overflow == 'string' : undefined
? style.overflow : undefined;
: undefined const overflow =
: undefined; style && "overflow" in style
const position = style && ? typeof style.overflow == "string"
'position' in style ? style.overflow
? typeof style.position == 'string' : undefined
? style.position : undefined;
: undefined const position =
: undefined; style && "position" in style
const justifyContent = style && ? typeof style.position == "string"
'justifyContent' in style ? style.position
? typeof style.justifyContent == 'string' : undefined
? style.justifyContent : undefined;
: undefined const justifyContent =
: undefined; style && "justifyContent" in style
const alignItems = style && ? typeof style.justifyContent == "string"
'alignItems' in style ? style.justifyContent
? typeof style.alignItems == 'string' : undefined
? style.alignItems : undefined;
: undefined const alignItems =
: undefined; style && "alignItems" in style
? typeof style.alignItems == "string"
? style.alignItems
: undefined
: undefined;
const padding = style && const padding =
'padding' in style style && "padding" in style
? typeof style.padding == 'number' ? typeof style.padding == "number"
? style.padding ? style.padding
: undefined : undefined
: undefined; : undefined;
const children = childrenRaw instanceof Function ? childrenRaw({ pressed: true }) : childrenRaw; const children =
childrenRaw instanceof Function
? childrenRaw({ pressed: true })
: childrenRaw;
return <box return (
onMouseDown={onPress ? ((_event) => { <box
// @ts-ignore onMouseDown={
onPress(); onPress
}) : undefined} ? (_event) => {
// @ts-ignore
backgroundColor={bg} onPress();
flexDirection={flexDirection} }
flexGrow={flex} : undefined
overflow={overflow} }
flexShrink={flexShrink} backgroundColor={bg}
position={position} flexDirection={flexDirection}
justifyContent={justifyContent} flexGrow={flex}
alignItems={alignItems} overflow={overflow}
paddingTop={padding && Math.round(padding / RATIO_HEIGHT)} flexShrink={flexShrink}
paddingBottom={padding && Math.round(padding / RATIO_HEIGHT)} position={position}
paddingLeft={padding && Math.round(padding / RATIO_WIDTH)} justifyContent={justifyContent}
paddingRight={padding && Math.round(padding / RATIO_WIDTH)} alignItems={alignItems}
>{children}</box> paddingTop={padding && Math.round(padding / RATIO_HEIGHT)}
paddingBottom={padding && Math.round(padding / RATIO_HEIGHT)}
paddingLeft={padding && Math.round(padding / RATIO_WIDTH)}
paddingRight={padding && Math.round(padding / RATIO_WIDTH)}
>
{children}
</box>
);
} }
export function Text({ style, children }: TextProps) { export function Text({ style, children }: TextProps) {
const fg = style && const fg =
'color' in style style && "color" in style
? typeof style.color == 'string' ? typeof style.color == "string"
? style.color ? style.color
: undefined : undefined
: undefined; : undefined;
return <text fg={fg || "black"}>{children}</text> return <text fg={fg || "black"}>{children}</text>;
} }
export function ScrollView({ children }: ScrollViewProps) { export function ScrollView({ children }: ScrollViewProps) {
return <scrollbox >{children}</scrollbox> return <scrollbox>{children}</scrollbox>;
} }
export function Modal({ children, visible }: ModalProps) { export function Modal({ children, visible }: ModalProps) {
const { width, height } = useTerminalDimensions(); const { width, height } = useTerminalDimensions();
return <box return (
visible={visible} <box
position="absolute" visible={visible}
width={width} position="absolute"
height={height} width={width}
zIndex={10} height={height}
> zIndex={10}
{children} >
</box> {children}
</box>
);
} }
export const Platform = { export const Platform = {
@@ -215,13 +231,13 @@ export const Linking = {
platform() == "darwin" platform() == "darwin"
? `open ${url}` ? `open ${url}`
: platform() == "win32" : platform() == "win32"
? `start "" "${url}"` ? `start "" "${url}"`
: `xdg-open "${url}"`; : `xdg-open "${url}"`;
exec(cmd); exec(cmd);
} },
} satisfies Partial<LinkingImpl>; } satisfies Partial<LinkingImpl>;
export default { export default {
View, View,
Text, Text,
} };

View File

@@ -6,6 +6,7 @@
"exports": { "exports": {
".": "./src/index.ts", ".": "./src/index.ts",
"./auth": "./src/auth.ts", "./auth": "./src/auth.ts",
"./rpc": "./src/rpc.ts",
"./db": "./src/db/index.ts" "./db": "./src/db/index.ts"
}, },
"dependencies": { "dependencies": {

View File

@@ -1,25 +1,35 @@
import { z } from "zod"; import { z } from "zod";
import { Schema } from "effect";
export const sessionSchema = z.object({ const DateFromDateOrString = Schema.Union(
id: z.string(), Schema.DateFromString,
userId: z.string(), Schema.DateFromSelf,
expiresAt: z.date(), );
export const SessionSchema = Schema.Struct({
expiresAt: DateFromDateOrString,
token: Schema.Redacted(Schema.String),
createdAt: DateFromDateOrString,
updatedAt: DateFromDateOrString,
ipAddress: Schema.optional(Schema.NullishOr(Schema.String)),
userAgent: Schema.optional(Schema.NullishOr(Schema.String)),
userId: Schema.String,
id: Schema.String,
}); });
export const userSchema = z.object({ export const UserSchema = Schema.Struct({
id: z.string(), name: Schema.String,
email: z.string(), email: Schema.String,
emailVerified: z.boolean(), emailVerified: Schema.Boolean,
name: z.string(), image: Schema.optional(Schema.NullishOr(Schema.String)),
createdAt: z.date(), createdAt: DateFromDateOrString,
updatedAt: z.date(), updatedAt: DateFromDateOrString,
id: Schema.String,
}); });
export const authDataSchema = z.object({ export const AuthSchema = Schema.Struct({
session: sessionSchema, session: SessionSchema,
user: userSchema, user: UserSchema,
}); });
export type Session = z.infer<typeof sessionSchema>; export type AuthSchemaType = Schema.Schema.Type<typeof AuthSchema>;
export type User = z.infer<typeof userSchema>;
export type AuthData = z.infer<typeof authDataSchema>;

View File

@@ -1,3 +1,2 @@
export const HOST = process.env.EXPO_PUBLIC_TAILSCALE_MACHINE || "localhost"; export const HOST = process.env.EXPO_PUBLIC_TAILSCALE_MACHINE || "localhost";
export const BASE_URL = `http://${HOST}`; export const BASE_URL = `http://${HOST}`;

View File

@@ -1,4 +1,12 @@
import { pgTable, text, boolean, timestamp, uniqueIndex, decimal } from "drizzle-orm/pg-core"; import {
boolean,
decimal,
pgTable,
text,
timestamp,
pgEnum,
uniqueIndex,
} from "drizzle-orm/pg-core";
export const users = pgTable( export const users = pgTable(
"user", "user",
@@ -33,6 +41,7 @@ export const plaidLink = pgTable("plaidLink", {
user_id: text("user_id").notNull(), user_id: text("user_id").notNull(),
link: text("link").notNull(), link: text("link").notNull(),
token: text("token").notNull(), token: text("token").notNull(),
completeAt: timestamp("complete_at"),
createdAt: timestamp("created_at").notNull().defaultNow(), createdAt: timestamp("created_at").notNull().defaultNow(),
}); });

View File

@@ -12,32 +12,33 @@ export function createMutators(authData: AuthData | null) {
async get(tx: Tx, { link_token }: { link_token: string }) {}, async get(tx: Tx, { link_token }: { link_token: string }) {},
async updateTransactions() {}, async updateTransactions() {},
async updateBalences() {}, async updateBalences() {},
async deleteAccounts(tx: Tx, { accountIds }: { accountIds: string[] }) { async deleteAccounts(tx: Tx, { accountIds }: { accountIds: string[] }) {
isLoggedIn(authData); isLoggedIn(authData);
for (const id of accountIds) { for (const id of accountIds) {
const token = await tx.query.plaidAccessTokens.where("userId", '=', authData.user.id).one(); const token = await tx.query.plaidAccessTokens
.where("userId", "=", authData.user.id)
.one();
if (!token) continue; if (!token) continue;
await tx.mutate.plaidAccessTokens.delete({ id }); await tx.mutate.plaidAccessTokens.delete({ id });
const balances = await tx.query.balance const balances = await tx.query.balance
.where('user_id', '=', authData.user.id) .where("user_id", "=", authData.user.id)
.where("tokenId", '=', token.id) .where("tokenId", "=", token.id)
.run(); .run();
for (const bal of balances) { for (const bal of balances) {
await tx.mutate.balance.delete({ id: bal.id }); await tx.mutate.balance.delete({ id: bal.id });
const txs = await tx.query.transaction const txs = await tx.query.transaction
.where('user_id', '=', authData.user.id) .where("user_id", "=", authData.user.id)
.where('account_id', '=', bal.tokenId) .where("account_id", "=", bal.tokenId)
.run(); .run();
for (const transaction of txs) { for (const transaction of txs) {
await tx.mutate.transaction.delete({ id: transaction.id }); await tx.mutate.transaction.delete({ id: transaction.id });
} }
} }
} }
}, },
} },
} as const; } as const;
} }

View File

@@ -5,37 +5,59 @@ import { type AuthData } from "./auth";
import { isLoggedIn } from "./zql"; import { isLoggedIn } from "./zql";
export const queries = { export const queries = {
me: syncedQueryWithContext('me', z.tuple([]), (authData: AuthData | null) => { me: syncedQueryWithContext("me", z.tuple([]), (authData: AuthData | null) => {
isLoggedIn(authData); isLoggedIn(authData);
return builder.users return builder.users.where("id", "=", authData.user.id).one();
.where('id', '=', authData.user.id)
.one();
}), }),
allTransactions: syncedQueryWithContext('allTransactions', z.tuple([]), (authData: AuthData | null) => { allTransactions: syncedQueryWithContext(
isLoggedIn(authData); "allTransactions",
return builder.transaction z.tuple([]),
.where('user_id', '=', authData.user.id) (authData: AuthData | null) => {
.orderBy('datetime', 'desc') isLoggedIn(authData);
.limit(50) return builder.transaction
}), .where("user_id", "=", authData.user.id)
getPlaidLink: syncedQueryWithContext('getPlaidLink', z.tuple([]), (authData: AuthData | null) => { .orderBy("datetime", "desc")
isLoggedIn(authData); .limit(50);
return builder.plaidLink },
.where('user_id', '=', authData.user.id) ),
.where('createdAt', '>', new Date().getTime() - (1000 * 60 * 60 * 4)) getPlaidLink: syncedQueryWithContext(
.orderBy('createdAt', 'desc') "getPlaidLink",
.one(); z.tuple([]),
}), (authData: AuthData | null) => {
getBalances: syncedQueryWithContext('getBalances', z.tuple([]), (authData: AuthData | null) => { isLoggedIn(authData);
isLoggedIn(authData); return builder.plaidLink
return builder.balance .where(({ cmp, and, or }) =>
.where('user_id', '=', authData.user.id) and(
.orderBy('name', 'asc'); cmp("user_id", "=", authData.user.id),
}), cmp("createdAt", ">", new Date().getTime() - 1000 * 60 * 60 * 4),
getItems: syncedQueryWithContext('getItems', z.tuple([]), (authData: AuthData | null) => { or(
isLoggedIn(authData); cmp("completeAt", ">", new Date().getTime() - 1000 * 5),
return builder.plaidAccessTokens cmp("completeAt", "IS", null),
.where('userId', '=', authData.user.id) ),
.orderBy('createdAt', 'desc'); ),
}) )
.orderBy("createdAt", "desc")
.one();
},
),
getBalances: syncedQueryWithContext(
"getBalances",
z.tuple([]),
(authData: AuthData | null) => {
isLoggedIn(authData);
return builder.balance
.where("user_id", "=", authData.user.id)
.orderBy("name", "asc");
},
),
getItems: syncedQueryWithContext(
"getItems",
z.tuple([]),
(authData: AuthData | null) => {
isLoggedIn(authData);
return builder.plaidAccessTokens
.where("userId", "=", authData.user.id)
.orderBy("createdAt", "desc");
},
),
}; };

View File

@@ -0,0 +1,29 @@
import { Context, Schema } from "effect";
import { Rpc, RpcGroup, RpcMiddleware } from "@effect/rpc";
import type { AuthSchema } from "./auth";
export class Link extends Schema.Class<Link>("Link")({
href: Schema.String,
}) {}
export class CurrentSession extends Context.Tag("CurrentSession")<
CurrentSession,
{ readonly auth: Schema.Schema.Type<typeof AuthSchema> | null }
>() {}
export class AuthMiddleware extends RpcMiddleware.Tag<AuthMiddleware>()(
"AuthMiddleware",
{
// This middleware will provide the current user context
provides: CurrentSession,
// This middleware requires a client implementation too
requiredForClient: true,
},
) {}
export class LinkRpcs extends RpcGroup.make(
Rpc.make("CreateLink", {
success: Link,
error: Schema.String,
}),
).middleware(AuthMiddleware) {}

View File

@@ -214,6 +214,16 @@ export const schema = {
"token" "token"
>, >,
}, },
completeAt: {
type: "number",
optional: true,
customType: null as unknown as ZeroCustomType<
ZeroSchema,
"plaidLink",
"completeAt"
>,
serverName: "complete_at",
},
createdAt: { createdAt: {
type: "number", type: "number",
optional: true, optional: true,

View File

@@ -5,14 +5,17 @@ import { Text, Pressable } from "react-native";
export interface ButtonProps { export interface ButtonProps {
children: ReactNode; children: ReactNode;
onPress?: () => void; onPress?: () => void;
variant?: 'default' | 'secondary' | 'destructive'; variant?: "default" | "secondary" | "destructive";
shortcut?: string; shortcut?: string;
} }
const STYLES: Record<NonNullable<ButtonProps['variant']>, { backgroundColor: string, color: string }> = { const STYLES: Record<
default: { backgroundColor: 'black', color: 'white' }, NonNullable<ButtonProps["variant"]>,
secondary: { backgroundColor: '#ccc', color: 'black' }, { backgroundColor: string; color: string }
destructive: { backgroundColor: 'red', color: 'white' }, > = {
default: { backgroundColor: "black", color: "white" },
secondary: { backgroundColor: "#ccc", color: "black" },
destructive: { backgroundColor: "red", color: "white" },
}; };
export function Button({ children, variant, onPress, shortcut }: ButtonProps) { export function Button({ children, variant, onPress, shortcut }: ButtonProps) {
@@ -23,7 +26,13 @@ export function Button({ children, variant, onPress, shortcut }: ButtonProps) {
if (key.name == shortcut) onPress(); if (key.name == shortcut) onPress();
}); });
return <Pressable onPress={onPress} style={{ backgroundColor }}> return (
<Text style={{ fontFamily: 'mono', color }}> {children}{shortcut && ` (${shortcut})`} </Text> <Pressable onPress={onPress} style={{ backgroundColor }}>
</Pressable> <Text style={{ fontFamily: "mono", color }}>
{" "}
{children}
{shortcut && ` (${shortcut})`}{" "}
</Text>
</Pressable>
);
} }

View File

@@ -1,7 +1,14 @@
import { type ReactNode } from "react"; import { createContext, type ReactNode } from "react";
import { Modal, View, Text } from "react-native"; import { Modal, View, Text } from "react-native";
import { useKeyboard } from "../src/useKeyboard"; import { useKeyboard } from "../src/useKeyboard";
export interface DialogState {
close?: () => void;
}
export const Context = createContext<DialogState>({
close: () => {},
});
interface ProviderProps { interface ProviderProps {
children: ReactNode; children: ReactNode;
visible?: boolean; visible?: boolean;
@@ -9,18 +16,27 @@ interface ProviderProps {
} }
export function Provider({ children, visible, close }: ProviderProps) { export function Provider({ children, visible, close }: ProviderProps) {
useKeyboard((key) => { useKeyboard((key) => {
if (key.name == 'escape') { if (key.name == "escape") {
if (close) close(); if (close) close();
} }
}, []); }, []);
return ( return (
<Modal transparent visible={visible} > <Context.Provider value={{ close }}>
{/* <Pressable onPress={() => close && close()} style={{ justifyContent: 'center', alignItems: 'center', flex: 1, backgroundColor: 'rgba(0,0,0,0.2)', }}> */} <Modal transparent visible={visible}>
<View style={{ justifyContent: 'center', alignItems: 'center', flex: 1, backgroundColor: 'rgba(0,0,0,0.2)', }}> {/* <Pressable onPress={() => close && close()} style={{ justifyContent: 'center', alignItems: 'center', flex: 1, backgroundColor: 'rgba(0,0,0,0.2)', }}> */}
{visible && children} <View
</View> style={{
</Modal> justifyContent: "center",
alignItems: "center",
flex: 1,
backgroundColor: "rgba(0,0,0,0.2)",
}}
>
{visible && children}
</View>
</Modal>
</Context.Provider>
); );
} }
@@ -29,7 +45,9 @@ interface ContentProps {
} }
export function Content({ children }: ContentProps) { export function Content({ children }: ContentProps) {
return ( return (
<View style={{ backgroundColor: 'white', padding: 12, alignItems: 'center' }}> <View
style={{ backgroundColor: "white", padding: 12, alignItems: "center" }}
>
{children} {children}
</View> </View>
); );

View File

@@ -3,28 +3,34 @@ import { View, Text } from "react-native";
import { useKeyboard } from "../src/useKeyboard"; import { useKeyboard } from "../src/useKeyboard";
export type ListProps<T> = { export type ListProps<T> = {
items: T[], items: T[];
renderItem: (props: { item: T, isSelected: boolean }) => ReactNode; renderItem: (props: { item: T; isSelected: boolean }) => ReactNode;
}; };
export function List<T>({ items, renderItem }: ListProps<T>) { export function List<T>({ items, renderItem }: ListProps<T>) {
const [idx, setIdx] = useState(0); const [idx, setIdx] = useState(0);
useKeyboard((key) => { useKeyboard(
if (key.name == 'j') { (key) => {
setIdx((prevIdx) => prevIdx + 1 < items.length ? prevIdx + 1 : items.length - 1); if (key.name == "j") {
} else if (key.name == 'k') { setIdx((prevIdx) =>
setIdx((prevIdx) => prevIdx == 0 ? 0 : prevIdx - 1); prevIdx + 1 < items.length ? prevIdx + 1 : items.length - 1,
} else if (key.name == 'g' && key.shift) { );
setIdx(items.length - 1); } else if (key.name == "k") {
} setIdx((prevIdx) => (prevIdx == 0 ? 0 : prevIdx - 1));
}, [items]); } else if (key.name == "g" && key.shift) {
setIdx(items.length - 1);
}
},
[items],
);
return ( return (
<View> <View>
{items.map((item, index) => <View style={{ backgroundColor: index == idx ? 'black' : undefined }}> {items.map((item, index) => (
{renderItem({ item, isSelected: index == idx })} <View style={{ backgroundColor: index == idx ? "black" : undefined }}>
</View>)} {renderItem({ item, isSelected: index == idx })}
</View>
))}
</View> </View>
); );
} }

View File

@@ -3,13 +3,9 @@ import { View, Text } from "react-native";
import { useKeyboard } from "../src/useKeyboard"; import { useKeyboard } from "../src/useKeyboard";
import type { KeyEvent } from "@opentui/core"; import type { KeyEvent } from "@opentui/core";
const HEADER_COLOR = '#7158e2'; const HEADER_COLOR = "#7158e2";
const TABLE_COLORS = [ const TABLE_COLORS = ["#ddd", "#eee"];
'#ddd', const SELECTED_COLOR = "#f7b730";
'#eee'
];
const SELECTED_COLOR = '#f7b730';
const EXTRA = 5; const EXTRA = 5;
@@ -21,8 +17,7 @@ interface TableState {
columnMap: Map<string, number>; columnMap: Map<string, number>;
idx: number; idx: number;
selectedFrom: number | undefined; selectedFrom: number | undefined;
}; }
const INITAL_STATE = { const INITAL_STATE = {
data: [], data: [],
@@ -34,58 +29,74 @@ const INITAL_STATE = {
export const Context = createContext<TableState>(INITAL_STATE); export const Context = createContext<TableState>(INITAL_STATE);
export type Column = { name: string, label: string, render?: (i: number | string) => string }; export type Column = {
name: string;
label: string;
render?: (i: number | string) => string;
};
function renderCell(row: ValidRecord, column: Column): string { function renderCell(row: ValidRecord, column: Column): string {
const cell = row[column.name]; const cell = row[column.name];
if (cell == undefined) return 'n/a'; if (cell == undefined) return "n/a";
if (cell == null) return 'null'; if (cell == null) return "null";
if (column.render) return column.render(cell); if (column.render) return column.render(cell);
return cell.toString(); return cell.toString();
} }
export interface ProviderProps<T> { export interface ProviderProps<T> {
data: T[]; data: T[];
columns: Column[]; columns: Column[];
children: ReactNode; children: ReactNode;
onKey?: (event: KeyEvent, selected: T[]) => void; onKey?: (event: KeyEvent, selected: T[]) => void;
}; }
export function Provider<T extends ValidRecord>({ data, columns, children, onKey }: ProviderProps<T>) { export function Provider<T extends ValidRecord>({
data,
columns,
children,
onKey,
}: ProviderProps<T>) {
const [idx, setIdx] = useState(0); const [idx, setIdx] = useState(0);
const [selectedFrom, setSelectedFrom] = useState<number>(); const [selectedFrom, setSelectedFrom] = useState<number>();
useKeyboard((key) => { useKeyboard(
if (key.name == 'j' || key.name == 'down') { (key) => {
if (key.shift && selectedFrom == undefined) { if (key.name == "j" || key.name == "down") {
if (key.shift && selectedFrom == undefined) {
setSelectedFrom(idx);
}
setIdx((prev) => Math.min(prev + 1, data.length - 1));
} else if (key.name == "k" || key.name == "up") {
if (key.shift && selectedFrom == undefined) {
setSelectedFrom(idx);
}
setIdx((prev) => Math.max(prev - 1, 0));
} else if (key.name == "g" && key.shift) {
setIdx(data.length - 1);
} else if (key.name == "v") {
setSelectedFrom(idx); setSelectedFrom(idx);
} else if (key.name == "escape") {
setSelectedFrom(undefined);
} else {
const from = selectedFrom ? Math.min(idx, selectedFrom) : idx;
const to = selectedFrom ? Math.max(idx, selectedFrom) : idx;
const selected = data.slice(from, to + 1);
if (onKey) onKey(key, selected);
} }
setIdx((prev) => Math.min(prev + 1, data.length - 1)); },
} else if (key.name == 'k' || key.name == 'up') { [data, idx, selectedFrom],
if (key.shift && selectedFrom == undefined) { );
setSelectedFrom(idx);
}
setIdx((prev) => Math.max(prev - 1, 0));
} else if (key.name == 'g' && key.shift) {
setIdx(data.length - 1);
} else if (key.name == 'v') {
setSelectedFrom(idx);
} else if (key.name == 'escape') {
setSelectedFrom(undefined);
} else {
const from = selectedFrom ? Math.min(idx, selectedFrom) : idx;
const to = selectedFrom ? Math.max(idx, selectedFrom) : idx;
const selected = data.slice(from, to + 1);
if (onKey) onKey(key, selected);
}
}, [data, idx, selectedFrom]);
const columnMap = new Map(columns.map(col => {
return [col.name, Math.max(col.label.length, ...data.map(row => renderCell(row, col).length))]
}));
const columnMap = new Map(
columns.map((col) => {
return [
col.name,
Math.max(
col.label.length,
...data.map((row) => renderCell(row, col).length),
),
];
}),
);
return ( return (
<Context.Provider value={{ data, columns, columnMap, idx, selectedFrom }}> <Context.Provider value={{ data, columns, columnMap, idx, selectedFrom }}>
@@ -98,21 +109,46 @@ export function Body() {
const { columns, data, columnMap, idx, selectedFrom } = use(Context); const { columns, data, columnMap, idx, selectedFrom } = use(Context);
return ( return (
<View> <View>
<View style={{ backgroundColor: HEADER_COLOR, flexDirection: 'row' }}> <View style={{ backgroundColor: HEADER_COLOR, flexDirection: "row" }}>
{columns.map(column => <Text key={column.name} style={{ fontFamily: 'mono', color: 'white' }}>{rpad(column.label, columnMap.get(column.name)! - column.label.length + EXTRA)}</Text>)} {columns.map((column) => (
<Text
key={column.name}
style={{ fontFamily: "mono", color: "white" }}
>
{rpad(
column.label,
columnMap.get(column.name)! - column.label.length + EXTRA,
)}
</Text>
))}
</View> </View>
{data.map((row, index) => { {data.map((row, index) => {
const isSelected = index == idx || (selectedFrom != undefined && ((selectedFrom <= index && index <= idx) || (idx <= index && index <= selectedFrom))) const isSelected =
index == idx ||
(selectedFrom != undefined &&
((selectedFrom <= index && index <= idx) ||
(idx <= index && index <= selectedFrom)));
return ( return (
<View key={index} style={{ backgroundColor: isSelected ? SELECTED_COLOR : TABLE_COLORS[index % 2] }}> <View
<TableRow key={index} row={row as ValidRecord} index={index} isSelected={isSelected} /> key={index}
</View> style={{
); backgroundColor: isSelected
})} ? SELECTED_COLOR
: TABLE_COLORS[index % 2],
}}
>
<TableRow
key={index}
row={row as ValidRecord}
index={index}
isSelected={isSelected}
/>
</View>
);
})}
</View> </View>
) );
} }
interface RowProps<T> { interface RowProps<T> {
@@ -123,19 +159,34 @@ interface RowProps<T> {
function TableRow<T extends ValidRecord>({ row, isSelected }: RowProps<T>) { function TableRow<T extends ValidRecord>({ row, isSelected }: RowProps<T>) {
const { columns, columnMap } = use(Context); const { columns, columnMap } = use(Context);
return (
return <View style={{ flexDirection: 'row' }}> <View style={{ flexDirection: "row" }}>
{columns.map(column => { {columns.map((column) => {
const rendered = renderCell(row, column); const rendered = renderCell(row, column);
return <Text key={column.name} style={{ fontFamily: 'mono', color: isSelected ? 'black' : 'black' }}>{rpad(rendered, columnMap.get(column.name)! - rendered.length + EXTRA)}</Text>; return (
})} <Text
</View> key={column.name}
style={{
fontFamily: "mono",
color: isSelected ? "black" : "black",
}}
>
{rpad(
rendered,
columnMap.get(column.name)! - rendered.length + EXTRA,
)}
</Text>
);
})}
</View>
);
} }
function rpad(input: string, length: number): string { function rpad(input: string, length: number): string {
return input + Array.from({ length }) return (
.map(_ => " ") input +
.join(""); Array.from({ length })
.map((_) => " ")
.join("")
);
} }

View File

@@ -3,77 +3,74 @@ import { Transactions } from "./transactions";
import { View, Text } from "react-native"; import { View, Text } from "react-native";
import { Settings } from "./settings"; import { Settings } from "./settings";
import { useKeyboard } from "./useKeyboard"; import { useKeyboard } from "./useKeyboard";
import type { AuthData } from "@money/shared/auth"; import type { AuthSchemaType } from "@money/shared/auth";
const PAGES = { const PAGES = {
'/': { "/": {
screen: <Transactions />, screen: <Transactions />,
key: "1", key: "1",
}, },
'/settings': { "/settings": {
screen: <Settings />, screen: <Settings />,
key: "2", key: "2",
children: { children: {
"/accounts": {}, "/accounts": {},
"/family": {}, "/family": {},
} },
}, },
}; };
type Join<A extends string, B extends string> = type Join<A extends string, B extends string> = `${A}${B}` extends `${infer X}`
`${A}${B}` extends `${infer X}` ? X : never; ? X
: never;
type ChildRoutes<Parent extends string, Children> = type ChildRoutes<Parent extends string, Children> = {
{ [K in keyof Children & string]: K extends `/${string}`
[K in keyof Children & string]: ? Join<Parent, K>
K extends `/${string}` : never;
? Join<Parent, K> }[keyof Children & string];
: never;
}[keyof Children & string];
type Routes<T> = { type Routes<T> = {
[K in keyof T & string]: [K in keyof T & string]:
| K | K
| (T[K] extends { children: infer C } | (T[K] extends { children: infer C } ? ChildRoutes<K, C> : never);
? ChildRoutes<K, C>
: never)
}[keyof T & string]; }[keyof T & string];
export type Route = Routes<typeof PAGES>; export type Route = Routes<typeof PAGES>;
interface RouterContextType { interface RouterContextType {
auth: AuthData | null; auth: AuthSchemaType | null;
route: Route; route: Route;
setRoute: (route: Route) => void; setRoute: (route: Route) => void;
} }
export const RouterContext = createContext<RouterContextType>({ export const RouterContext = createContext<RouterContextType>({
auth: null, auth: null,
route: '/', route: "/",
setRoute: () => {} setRoute: () => {},
}); });
type AppProps = { type AppProps = {
auth: AuthData | null; auth: AuthSchemaType | null;
route: Route; route: Route;
setRoute: (page: Route) => void; setRoute: (page: Route) => void;
} };
export function App({ auth, route, setRoute }: AppProps) { export function App({ auth, route, setRoute }: AppProps) {
return <RouterContext.Provider value={{ auth, route, setRoute }}> return (
<Main /> <RouterContext.Provider value={{ auth, route, setRoute }}>
</RouterContext.Provider> <Main />
</RouterContext.Provider>
);
} }
function Main() { function Main() {
const { route, setRoute } = use(RouterContext); const { route, setRoute } = use(RouterContext);
useKeyboard((key) => { useKeyboard((key) => {
const screen = Object.entries(PAGES) const screen = Object.entries(PAGES).find(
.find(([, screen]) => screen.key == key.name); ([, screen]) => screen.key == key.name,
);
if (!screen) return; if (!screen) return;
@@ -85,12 +82,13 @@ function Main() {
const match = const match =
route in PAGES route in PAGES
? (route as keyof typeof PAGES) ? (route as keyof typeof PAGES)
: (Object.keys(PAGES).sort((a, b) => b.length - a.length).find(p => route.startsWith(p)) as : (Object.keys(PAGES)
keyof typeof PAGES); .sort((a, b) => b.length - a.length)
.find((p) => route.startsWith(p)) as keyof typeof PAGES);
return <View style={{ backgroundColor: 'white', flex: 1 }}> return (
{PAGES[match].screen} <View style={{ backgroundColor: "white", flex: 1 }}>
</View> {PAGES[match].screen}
</View>
);
} }

50
packages/ui/src/rpc.ts Normal file
View File

@@ -0,0 +1,50 @@
import { AtomRpc } from "@effect-atom/atom-react";
import { AuthMiddleware, LinkRpcs } from "@money/shared/rpc";
import { FetchHttpClient, Headers } from "@effect/platform";
import { Rpc, RpcClient, RpcMiddleware, RpcSerialization } from "@effect/rpc";
import * as Layer from "effect/Layer";
import { Effect } from "effect";
import { use } from "react";
import { RouterContext } from "./index";
import * as Redacted from "effect/Redacted";
import { Platform } from "react-native";
const protocol = RpcClient.layerProtocolHttp({
url: "http://laptop:3000/rpc",
}).pipe(
Layer.provide([
RpcSerialization.layerJson,
FetchHttpClient.layer.pipe(
Layer.provide(
Layer.succeed(FetchHttpClient.RequestInit, {
credentials: "include",
}),
),
),
]),
);
export const useRpc = () => {
const { auth } = use(RouterContext);
return class Client extends AtomRpc.Tag<Client>()("RpcClient", {
group: LinkRpcs,
protocol: Layer.merge(
protocol,
RpcMiddleware.layerClient(AuthMiddleware, ({ request }) =>
Effect.succeed({
...request,
...(auth && Platform.OS == ("TUI" as any)
? {
headers: Headers.set(
request.headers,
"authorization",
"Bearer " + Redacted.value(auth.session.token),
),
}
: {}),
}),
),
),
}) {};
};

View File

@@ -12,58 +12,76 @@ type SettingsRoute = Extract<Route, `/settings${string}`>;
const TABS = { const TABS = {
"/settings": { "/settings": {
label: "💽 General", label: "💽 General",
screen: <General /> screen: <General />,
}, },
"/settings/accounts": { "/settings/accounts": {
label: "🏦 Bank Accounts", label: "🏦 Bank Accounts",
screen: <Accounts /> screen: <Accounts />,
}, },
"/settings/family": { "/settings/family": {
label: "👑 Family", label: "👑 Family",
screen: <Family /> screen: <Family />,
}, },
} as const satisfies Record<SettingsRoute, { label: string, screen: ReactNode }>; } as const satisfies Record<
SettingsRoute,
{ label: string; screen: ReactNode }
>;
type Tab = keyof typeof TABS; type Tab = keyof typeof TABS;
export function Settings() { export function Settings() {
const { route, setRoute } = use(RouterContext); const { route, setRoute } = use(RouterContext);
useKeyboard((key) => { useKeyboard(
if (key.name == 'h') { (key) => {
const currentIdx = Object.entries(TABS).findIndex(([tabRoute, _]) => tabRoute == route) if (key.name == "h") {
const routes = Object.keys(TABS) as SettingsRoute[]; const currentIdx = Object.entries(TABS).findIndex(
const last = routes[currentIdx - 1] ([tabRoute, _]) => tabRoute == route,
if (!last) return; );
setRoute(last); const routes = Object.keys(TABS) as SettingsRoute[];
} else if (key.name == 'l') { const last = routes[currentIdx - 1];
const currentIdx = Object.entries(TABS).findIndex(([tabRoute, _]) => tabRoute == route) if (!last) return;
const routes = Object.keys(TABS) as SettingsRoute[]; setRoute(last);
const next = routes[currentIdx + 1] } else if (key.name == "l") {
if (!next) return; const currentIdx = Object.entries(TABS).findIndex(
setRoute(next); ([tabRoute, _]) => tabRoute == route,
} );
}, [route]); const routes = Object.keys(TABS) as SettingsRoute[];
const next = routes[currentIdx + 1];
if (!next) return;
setRoute(next);
}
},
[route],
);
return ( return (
<View style={{ flexDirection: "row" }}> <View style={{ flexDirection: "row" }}>
<View style={{ padding: 10 }}> <View style={{ padding: 10 }}>
{Object.entries(TABS).map(([tabRoute, tab]) => { {Object.entries(TABS).map(([tabRoute, tab]) => {
const isSelected = tabRoute == route; const isSelected = tabRoute == route;
return ( return (
<Pressable key={tab.label} style={{ backgroundColor: isSelected ? 'black' : undefined }} onPress={() => setRoute(tabRoute as SettingsRoute)}> <Pressable
<Text style={{ fontFamily: 'mono', color: isSelected ? 'white' : 'black' }}> {tab.label} </Text> key={tab.label}
style={{ backgroundColor: isSelected ? "black" : undefined }}
onPress={() => setRoute(tabRoute as SettingsRoute)}
>
<Text
style={{
fontFamily: "mono",
color: isSelected ? "white" : "black",
}}
>
{" "}
{tab.label}{" "}
</Text>
</Pressable> </Pressable>
); );
})} })}
</View> </View>
<View> <View>{TABS[route as Tab].screen}</View>
{TABS[route as Tab].screen}
</View>
</View> </View>
); );
} }

View File

@@ -1,5 +1,5 @@
import { useQuery, useZero } from "@rocicorp/zero/react"; import { useQuery, useZero } from "@rocicorp/zero/react";
import { queries, type Mutators, type Schema } from '@money/shared'; import { queries, type Mutators, type Schema } from "@money/shared";
import { use, useEffect, useState } from "react"; import { use, useEffect, useState } from "react";
import { RouterContext } from ".."; import { RouterContext } from "..";
import { View, Text, Linking } from "react-native"; import { View, Text, Linking } from "react-native";
@@ -7,10 +7,17 @@ import { useKeyboard } from "../useKeyboard";
import { Button } from "../../components/Button"; import { Button } from "../../components/Button";
import * as Table from "../../components/Table"; import * as Table from "../../components/Table";
import * as Dialog from "../../components/Dialog"; import * as Dialog from "../../components/Dialog";
import { useAtomSet } from "@effect-atom/atom-react";
import { useRpc } from "../rpc";
import * as Exit from "effect/Exit";
const COLUMNS: Table.Column[] = [ const COLUMNS: Table.Column[] = [
{ name: 'name', label: 'Name' }, { name: "name", label: "Name" },
{ name: 'createdAt', label: 'Added At', render: (n) => new Date(n).toLocaleString() }, {
name: "createdAt",
label: "Added At",
render: (n) => new Date(n).toLocaleString(),
},
]; ];
export function Accounts() { export function Accounts() {
@@ -21,75 +28,89 @@ export function Accounts() {
const z = useZero<Schema, Mutators>(); const z = useZero<Schema, Mutators>();
// useKeyboard((key) => {
// if (key.name == 'n') {
// setDeleting([]);
// } else if (key.name == 'y') {
// onDelete();
// }
// }, [deleting]);
const onDelete = () => { const onDelete = () => {
if (!deleting) return if (!deleting) return;
const accountIds = deleting.map(account => account.id); const accountIds = deleting.map((account) => account.id);
z.mutate.link.deleteAccounts({ accountIds }); z.mutate.link.deleteAccounts({ accountIds });
setDeleting([]); setDeleting([]);
} };
const addAccount = () => { const addAccount = () => {
setIsAddOpen(true); setIsAddOpen(true);
} };
return ( return (
<> <>
<Dialog.Provider
<Dialog.Provider visible={!deleting} close={() => setDeleting([])}> visible={deleting.length > 0}
close={() => setDeleting([])}
>
<Dialog.Content> <Dialog.Content>
<Text style={{ fontFamily: 'mono' }}>Delete Account</Text> <Text style={{ fontFamily: "mono" }}>Delete Account</Text>
<Text style={{ fontFamily: 'mono' }}> </Text> <Text style={{ fontFamily: "mono" }}> </Text>
<Text style={{ fontFamily: 'mono' }}>You are about to delete the following accounts:</Text> <Text style={{ fontFamily: "mono" }}>
You are about to delete the following accounts:
</Text>
<View> <View>
{deleting.map(account => <Text style={{ fontFamily: 'mono' }}>- {account.name}</Text>)} {deleting.map((account) => (
<Text style={{ fontFamily: "mono" }}>- {account.name}</Text>
))}
</View> </View>
<Text style={{ fontFamily: 'mono' }}> </Text> <Text style={{ fontFamily: "mono" }}> </Text>
<View style={{ flexDirection: 'row' }}> <View style={{ flexDirection: "row" }}>
<Button variant="secondary" onPress={() => { setDeleting([]); }}>Cancel (n)</Button> <Button
variant="secondary"
onPress={() => {
setDeleting([]);
}}
shortcut="n"
>
Cancel
</Button>
<Text style={{ fontFamily: 'mono' }}> </Text> <Text style={{ fontFamily: "mono" }}> </Text>
<Button variant="destructive" onPress={() => { <Button
variant="destructive"
onPress={() => {
onDelete(); onDelete();
}}>Delete (y)</Button> }}
shortcut="y"
>
Delete
</Button>
</View> </View>
</Dialog.Content> </Dialog.Content>
</Dialog.Provider> </Dialog.Provider>
<Dialog.Provider visible={isAddOpen} close={() => setIsAddOpen(false)}> <Dialog.Provider visible={isAddOpen} close={() => setIsAddOpen(false)}>
<Dialog.Content> <Dialog.Content>
<Text style={{ fontFamily: 'mono' }}>Add Account</Text> <Text style={{ fontFamily: "mono" }}>Add Account</Text>
<AddAccount /> <AddAccount />
</Dialog.Content> </Dialog.Content>
</Dialog.Provider> </Dialog.Provider>
<View style={{ padding: 10 }}> <View style={{ padding: 10 }}>
<View style={{ alignSelf: "flex-start" }}> <View style={{ alignSelf: "flex-start" }}>
<Button shortcut="a" onPress={addAccount}>Add Account</Button> <Button shortcut="a" onPress={addAccount}>
Add Account
</Button>
</View> </View>
<Text style={{ fontFamily: 'mono' }}> </Text> <Text style={{ fontFamily: "mono" }}> </Text>
<Table.Provider columns={COLUMNS} data={items} onKey={(key, selected) => { <Table.Provider
if (key.name == 'd') { columns={COLUMNS}
setDeleting(selected); data={items}
} onKey={(key, selected) => {
}}> if (key.name == "d") {
setDeleting(selected);
}
}}
>
<Table.Body /> <Table.Body />
</Table.Provider> </Table.Provider>
</View> </View>
@@ -97,34 +118,80 @@ export function Accounts() {
); );
} }
function AddAccount() { function AddAccount() {
const { auth } = use(RouterContext); const rpc = useRpc();
const [link, details] = useQuery(queries.getPlaidLink(auth)); const createLink = useAtomSet(rpc.mutation("CreateLink"), {
mode: "promiseExit",
});
const openLink = () => { const [href, setHref] = useState("");
if (!link) return
Linking.openURL(link.link);
}
const z = useZero<Schema, Mutators>(); // const [link, details] = useQuery(queries.getPlaidLink(auth));
const { close } = use(Dialog.Context);
const init = () => {
console.log("INIT");
const p = createLink({ payload: void 0 })
.then((link) => {
console.log("my link", link);
if (Exit.isSuccess(link)) {
setHref(link.value.href);
}
})
.finally(() => {
console.log("WHAT");
});
console.log(p);
};
useEffect(() => { useEffect(() => {
console.log(link, details); console.log("useEffect");
if (details.type != "complete") return; init();
if (link != undefined) return; }, []);
console.log("Creating new link"); // const openLink = () => {
z.mutate.link.create(); // if (!link) return;
}, [link, details]); // Linking.openURL(link.link);
// };
// const z = useZero<Schema, Mutators>();
// useEffect(() => {
// console.log(link, details);
// if (details.type != "complete") return;
// if (link != undefined) {
// if (!link.completeAt) {
// const timer = setInterval(() => {
// console.log("Checking for link");
// z.mutate.link.get({ link_token: link.token });
// }, 1000 * 5);
// return () => clearInterval(timer);
// } else {
// if (close) close();
// return;
// }
// }
// console.log("Creating new link");
// z.mutate.link.create();
// }, [link, details]);
return ( return (
<> <>
{link ? <> <Text>Href: {href}</Text>
<Text style={{ fontFamily: 'mono' }}>Please click the button to complete setup.</Text> <Button onPress={() => close && close()}>close</Button>
{/* {link ? ( */}
<Button shortcut="return" onPress={openLink}>Open Plaid</Button> {/* <> */}
</> : <Text style={{ fontFamily: 'mono' }}>Loading Plaid Link</Text>} {/* <Text style={{ fontFamily: "mono" }}> */}
{/* Please click the button to complete setup. */}
{/* </Text> */}
{/**/}
{/* <Button shortcut="return" onPress={openLink}> */}
{/* Open Plaid */}
{/* </Button> */}
{/* </> */}
{/* ) : ( */}
{/* <Text style={{ fontFamily: "mono" }}>Loading Plaid Link</Text> */}
{/* )} */}
</> </>
); );
} }

View File

@@ -1,6 +1,5 @@
import { Text } from "react-native"; import { Text } from "react-native";
export function Family() { export function Family() {
return <Text style={{ fontFamily: 'mono' }}>Welcome to family</Text> return <Text style={{ fontFamily: "mono" }}>Welcome to family</Text>;
} }

View File

@@ -1,7 +1,5 @@
import { Text } from "react-native"; import { Text } from "react-native";
export function General() { export function General() {
return <Text style={{ fontFamily: 'mono' }}>Welcome to settings</Text> return <Text style={{ fontFamily: "mono" }}>Welcome to settings</Text>;
} }

View File

@@ -1,11 +1,15 @@
import * as Table from "../components/Table"; import * as Table from "../components/Table";
import { useQuery } from "@rocicorp/zero/react"; import { useQuery, useZero } from "@rocicorp/zero/react";
import { queries, type Transaction } from '@money/shared'; import {
queries,
type Mutators,
type Schema,
type Transaction,
} from "@money/shared";
import { use } from "react"; import { use } from "react";
import { View, Text } from "react-native"; import { View, Text } from "react-native";
import { RouterContext } from "."; import { RouterContext } from ".";
const FORMAT = new Intl.NumberFormat("en-US", { const FORMAT = new Intl.NumberFormat("en-US", {
minimumFractionDigits: 2, minimumFractionDigits: 2,
maximumFractionDigits: 2, maximumFractionDigits: 2,
@@ -14,23 +18,36 @@ const FORMAT = new Intl.NumberFormat("en-US", {
export type Account = { export type Account = {
name: string; name: string;
createdAt: number; createdAt: number;
} };
const COLUMNS: Table.Column[] = [ const COLUMNS: Table.Column[] = [
{ name: 'createdAt', label: 'Date', render: (n) => new Date(n).toDateString() }, {
{ name: 'amount', label: 'Amount' }, name: "createdAt",
{ name: 'name', label: 'Name' }, label: "Date",
render: (n) => new Date(n).toDateString(),
},
{ name: "amount", label: "Amount" },
{ name: "name", label: "Name" },
]; ];
export function Transactions() { export function Transactions() {
const { auth } = use(RouterContext); const { auth } = use(RouterContext);
const [items] = useQuery(queries.allTransactions(auth)); const [items] = useQuery(queries.allTransactions(auth));
const z = useZero<Schema, Mutators>();
return ( return (
<Table.Provider data={items} columns={COLUMNS}> <Table.Provider
data={items}
columns={COLUMNS}
onKey={(key) => {
if (key.name == "r" && key.shift) {
z.mutate.link.updateTransactions();
}
}}
>
<View style={{ flex: 1 }}> <View style={{ flex: 1 }}>
<View style={{ flexShrink: 0}}> <View style={{ flexShrink: 0 }}>
<Table.Body /> <Table.Body />
</View> </View>
</View> </View>
@@ -38,18 +55,18 @@ export function Transactions() {
<Selected /> <Selected />
</View> </View>
</Table.Provider> </Table.Provider>
) );
} }
function Selected() { function Selected() {
const { data, idx, selectedFrom } = use(Table.Context); const { data, idx, selectedFrom } = use(Table.Context);
if (selectedFrom == undefined) if (selectedFrom == undefined)
return ( return (
<View style={{ backgroundColor: '#ddd' }}> <View style={{ backgroundColor: "#ddd" }}>
<Text style={{ fontFamily: 'mono' }}>No items selected</Text> <Text style={{ fontFamily: "mono" }}>No items selected</Text>
</View> </View>
); );
const from = Math.min(idx, selectedFrom); const from = Math.min(idx, selectedFrom);
const to = Math.max(idx, selectedFrom); const to = Math.max(idx, selectedFrom);
@@ -58,10 +75,11 @@ function Selected() {
const sum = selected.reduce((prev, curr) => prev + curr.amount, 0); const sum = selected.reduce((prev, curr) => prev + curr.amount, 0);
return ( return (
<View style={{ backgroundColor: '#9f9' }}> <View style={{ backgroundColor: "#9f9" }}>
<Text style={{ fontFamily: 'mono' }}>{count} transaction{count == 1 ? "" : "s"} selected | ${FORMAT.format(sum)}</Text> <Text style={{ fontFamily: "mono" }}>
{count} transaction{count == 1 ? "" : "s"} selected | $
{FORMAT.format(sum)}
</Text>
</View> </View>
); );
} }

View File

@@ -1,5 +1,8 @@
import { useKeyboard as useOpentuiKeyboard } from "@opentui/react"; import { useKeyboard as useOpentuiKeyboard } from "@opentui/react";
export function useKeyboard(handler: Parameters<typeof useOpentuiKeyboard>[0], _deps: any[] = []) { export function useKeyboard(
handler: Parameters<typeof useOpentuiKeyboard>[0],
_deps: any[] = [],
) {
return useOpentuiKeyboard(handler); return useOpentuiKeyboard(handler);
} }

View File

@@ -2,15 +2,17 @@ import { useEffect } from "react";
import type { KeyboardEvent } from "react"; import type { KeyboardEvent } from "react";
import type { KeyEvent } from "@opentui/core"; import type { KeyEvent } from "@opentui/core";
function convertName(keyName: string): string { function convertName(keyName: string): string {
const result = keyName.toLowerCase() const result = keyName.toLowerCase();
if (result == 'arrowdown') return 'down'; if (result == "arrowdown") return "down";
if (result == 'arrowup') return 'up'; if (result == "arrowup") return "up";
return result; return result;
} }
export function useKeyboard(handler: (key: KeyEvent) => void, deps: any[] = []) { export function useKeyboard(
handler: (key: KeyEvent) => void,
deps: any[] = [],
) {
useEffect(() => { useEffect(() => {
const handlerWeb = (event: KeyboardEvent) => { const handlerWeb = (event: KeyboardEvent) => {
// @ts-ignore // @ts-ignore
@@ -20,10 +22,10 @@ export function useKeyboard(handler: (key: KeyEvent) => void, deps: any[] = [])
meta: event.metaKey, meta: event.metaKey,
shift: event.shiftKey, shift: event.shiftKey,
option: event.metaKey, option: event.metaKey,
sequence: '', sequence: "",
number: false, number: false,
raw: '', raw: "",
eventType: 'press', eventType: "press",
source: "raw", source: "raw",
code: event.code, code: event.code,
super: false, super: false,
@@ -38,8 +40,8 @@ export function useKeyboard(handler: (key: KeyEvent) => void, deps: any[] = [])
// @ts-ignore // @ts-ignore
window.addEventListener("keydown", handlerWeb); window.addEventListener("keydown", handlerWeb);
return () => { return () => {
// @ts-ignore // @ts-ignore
window.removeEventListener("keydown", handlerWeb); window.removeEventListener("keydown", handlerWeb);
}; };
}, deps); }, deps);
} }

180
pnpm-lock.yaml generated
View File

@@ -10,18 +10,24 @@ importers:
apps/api: apps/api:
dependencies: dependencies:
'@hono/node-server': '@effect/platform':
specifier: ^1.19.5 specifier: ^0.93.2
version: 1.19.6(hono@4.10.4) version: 0.93.2(effect@3.19.4)
'@effect/platform-node':
specifier: ^0.101.1
version: 0.101.1(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/rpc':
specifier: ^0.72.2
version: 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@money/shared': '@money/shared':
specifier: workspace:* specifier: workspace:*
version: link:../../packages/shared version: link:../../packages/shared
better-auth: better-auth:
specifier: ^1.3.27 specifier: ^1.3.27
version: 1.3.34(react-dom@19.1.0(react@19.1.0))(react@19.1.0) version: 1.3.34(react-dom@19.1.0(react@19.1.0))(react@19.1.0)
hono: effect:
specifier: ^4.9.12 specifier: ^3.19.4
version: 4.10.4 version: 3.19.4
plaid: plaid:
specifier: ^39.0.0 specifier: ^39.0.0
version: 39.1.0 version: 39.1.0
@@ -38,6 +44,9 @@ importers:
'@better-auth/expo': '@better-auth/expo':
specifier: ^1.3.27 specifier: ^1.3.27
version: 1.3.34(better-auth@1.3.34(react-dom@19.1.0(react@19.1.0))(react@19.1.0))(expo-constants@18.0.10)(expo-crypto@15.0.7(expo@54.0.23))(expo-linking@8.0.8)(expo-secure-store@15.0.7(expo@54.0.23))(expo-web-browser@15.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))) version: 1.3.34(better-auth@1.3.34(react-dom@19.1.0(react@19.1.0))(react@19.1.0))(expo-constants@18.0.10)(expo-crypto@15.0.7(expo@54.0.23))(expo-linking@8.0.8)(expo-secure-store@15.0.7(expo@54.0.23))(expo-web-browser@15.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0)))
'@effect-atom/atom-react':
specifier: ^0.4.0
version: 0.4.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)(react@19.1.0)(scheduler@0.26.0)
'@expo/vector-icons': '@expo/vector-icons':
specifier: ^15.0.2 specifier: ^15.0.2
version: 15.0.3(expo-font@14.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0) version: 15.0.3(expo-font@14.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)
@@ -167,7 +176,7 @@ importers:
version: 0.93.2(effect@3.19.4) version: 0.93.2(effect@3.19.4)
'@effect/platform-bun': '@effect/platform-bun':
specifier: ^0.83.0 specifier: ^0.83.0
version: 0.83.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4) version: 0.83.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@money/shared': '@money/shared':
specifier: workspace:* specifier: workspace:*
version: link:../../packages/shared version: link:../../packages/shared
@@ -798,6 +807,21 @@ packages:
peerDependencies: peerDependencies:
'@noble/ciphers': ^1.0.0 '@noble/ciphers': ^1.0.0
'@effect-atom/atom-react@0.4.0':
resolution: {integrity: sha512-5HpKLgXEG8EWr4sBDl7BZjm6koO/5HSb94C9+OkRLDE4mhH2357vNl4uPNqid0ZNGwVvS6bAvKFmBzc0bZU6yg==}
peerDependencies:
effect: ^3.19
react: '>=18 <20'
scheduler: '*'
'@effect-atom/atom@0.4.3':
resolution: {integrity: sha512-0XOngJ+oDuJW7/Hgt09Kl8QunF1bGlEtV/K9hMB1MmQPUGb+ZtxfJwZkBeXjMPEL1Lgm04TDBlqB8+qgHz+y0w==}
peerDependencies:
'@effect/experimental': ^0.57.0
'@effect/platform': ^0.93.0
'@effect/rpc': ^0.72.1
effect: ^3.19.0
'@effect/cluster@0.52.10': '@effect/cluster@0.52.10':
resolution: {integrity: sha512-csmU+4h2MXdxsFKF5eY4N52LDcjdpQp//QivOKNL9yNySUBVz/UrBr1FRgvbfHk+sxY03SNcoTNgkcbUaIp2Pg==} resolution: {integrity: sha512-csmU+4h2MXdxsFKF5eY4N52LDcjdpQp//QivOKNL9yNySUBVz/UrBr1FRgvbfHk+sxY03SNcoTNgkcbUaIp2Pg==}
peerDependencies: peerDependencies:
@@ -838,16 +862,34 @@ packages:
'@effect/sql': ^0.48.0 '@effect/sql': ^0.48.0
effect: ^3.19.0 effect: ^3.19.0
'@effect/platform-node-shared@0.54.0':
resolution: {integrity: sha512-prTgG3CXqmrxB4Rg6utfwCTqjlGwjAEvK7R4g3HzVdFpfFRum+FQBpGHUcjyz7EejkDtBY2MWJC3Wr1QKDPjPw==}
peerDependencies:
'@effect/cluster': ^0.53.0
'@effect/platform': ^0.93.3
'@effect/rpc': ^0.72.2
'@effect/sql': ^0.48.0
effect: ^3.19.5
'@effect/platform-node@0.101.1':
resolution: {integrity: sha512-uShujtpWU0VbdhRKhoo6tXzTG1xT0bnj8u5Q1BHpanwKPmzOhf4n0XLlMl5PaihH5Cp7xHuQlwgZlqHzhqSHzw==}
peerDependencies:
'@effect/cluster': ^0.53.4
'@effect/platform': ^0.93.3
'@effect/rpc': ^0.72.2
'@effect/sql': ^0.48.0
effect: ^3.19.6
'@effect/platform@0.93.2': '@effect/platform@0.93.2':
resolution: {integrity: sha512-IFWF2xuz37tZbyEsf3hwBlcYYqbqJho+ZM871CG92lWJSjcTgvmjCy77qnV0QhTWVdh9BMs12QKzQCMlqz4cJQ==} resolution: {integrity: sha512-IFWF2xuz37tZbyEsf3hwBlcYYqbqJho+ZM871CG92lWJSjcTgvmjCy77qnV0QhTWVdh9BMs12QKzQCMlqz4cJQ==}
peerDependencies: peerDependencies:
effect: ^3.19.3 effect: ^3.19.3
'@effect/rpc@0.72.1': '@effect/rpc@0.72.2':
resolution: {integrity: sha512-crpiAxDvFxM/fGhLuAgB1V8JOtfCm8/6ZdOP4MIdkz14I/ff3LdLJpf8hHJpYIbwYXypglAeAaHpfuZOt5f+SA==} resolution: {integrity: sha512-BmTXybXCOq96D2r9mvSW/YdiTQs5CStnd4II+lfVKrMr3pMNERKLZ2LG37Tfm4Sy3Q8ire6IVVKO/CN+VR0uQQ==}
peerDependencies: peerDependencies:
'@effect/platform': ^0.93.0 '@effect/platform': ^0.93.3
effect: ^3.19.0 effect: ^3.19.5
'@effect/sql@0.48.0': '@effect/sql@0.48.0':
resolution: {integrity: sha512-tubdizHriDwzHUnER9UsZ/0TtF6O2WJckzeYDbVSRPeMkrpdpyEzEsoKctechTm65B3Bxy6JIixGPg2FszY72A==} resolution: {integrity: sha512-tubdizHriDwzHUnER9UsZ/0TtF6O2WJckzeYDbVSRPeMkrpdpyEzEsoKctechTm65B3Bxy6JIixGPg2FszY72A==}
@@ -1534,12 +1576,6 @@ packages:
'@hexagon/base64@1.1.28': '@hexagon/base64@1.1.28':
resolution: {integrity: sha512-lhqDEAvWixy3bZ+UOYbPwUbBkwBq5C1LAJ/xPC8Oi+lL54oyakv/npbA0aU2hgCsx/1NUd4IBvV03+aUBWxerw==} resolution: {integrity: sha512-lhqDEAvWixy3bZ+UOYbPwUbBkwBq5C1LAJ/xPC8Oi+lL54oyakv/npbA0aU2hgCsx/1NUd4IBvV03+aUBWxerw==}
'@hono/node-server@1.19.6':
resolution: {integrity: sha512-Shz/KjlIeAhfiuE93NDKVdZ7HdBVLQAfdbaXEaoAVO3ic9ibRSLGIQGkcBbFyuLr+7/1D5ZCINM8B+6IvXeMtw==}
engines: {node: '>=18.14.1'}
peerDependencies:
hono: ^4
'@humanfs/core@0.19.1': '@humanfs/core@0.19.1':
resolution: {integrity: sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==} resolution: {integrity: sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==}
engines: {node: '>=18.18.0'} engines: {node: '>=18.18.0'}
@@ -4867,10 +4903,6 @@ packages:
hoist-non-react-statics@3.3.2: hoist-non-react-statics@3.3.2:
resolution: {integrity: sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==} resolution: {integrity: sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==}
hono@4.10.4:
resolution: {integrity: sha512-YG/fo7zlU3KwrBL5vDpWKisLYiM+nVstBQqfr7gCPbSYURnNEP9BDxEMz8KfsDR9JX0lJWDRNc6nXX31v7ZEyg==}
engines: {node: '>=16.9.0'}
hosted-git-info@7.0.2: hosted-git-info@7.0.2:
resolution: {integrity: sha512-puUZAUKT5m8Zzvs72XWy3HtvVbTWljRE66cP60bxJzAqf2DgICo7lYTY2IHUmLnNpjYvw5bvmoHvPc0QO2a62w==} resolution: {integrity: sha512-puUZAUKT5m8Zzvs72XWy3HtvVbTWljRE66cP60bxJzAqf2DgICo7lYTY2IHUmLnNpjYvw5bvmoHvPc0QO2a62w==}
engines: {node: ^16.14.0 || >=18.0.0} engines: {node: ^16.14.0 || >=18.0.0}
@@ -6888,6 +6920,10 @@ packages:
resolution: {integrity: sha512-hU/10obOIu62MGYjdskASR3CUAiYaFTtC9Pa6vHyf//mAipSvSQg6od2CnJswq7fvzNS3zJhxoRkgNVaHurWKw==} resolution: {integrity: sha512-hU/10obOIu62MGYjdskASR3CUAiYaFTtC9Pa6vHyf//mAipSvSQg6od2CnJswq7fvzNS3zJhxoRkgNVaHurWKw==}
engines: {node: '>=18.17'} engines: {node: '>=18.17'}
undici@7.16.0:
resolution: {integrity: sha512-QEg3HPMll0o3t2ourKwOeUAZ159Kn9mx5pnzHRQO8+Wixmh88YdZRiIwat0iNzNNXn0yoEtXJqFpyW7eM8BV7g==}
engines: {node: '>=20.18.1'}
unicode-canonical-property-names-ecmascript@2.0.1: unicode-canonical-property-names-ecmascript@2.0.1:
resolution: {integrity: sha512-dA8WbNeb2a6oQzAQ55YlT5vQAWGV9WXOsi3SskE3bcCdM0P4SDd+24zS/OCacdRq5BkdsRj9q3Pg6YyQoxIGqg==} resolution: {integrity: sha512-dA8WbNeb2a6oQzAQ55YlT5vQAWGV9WXOsi3SskE3bcCdM0P4SDd+24zS/OCacdRq5BkdsRj9q3Pg6YyQoxIGqg==}
engines: {node: '>=4'} engines: {node: '>=4'}
@@ -7895,12 +7931,30 @@ snapshots:
dependencies: dependencies:
'@noble/ciphers': 1.3.0 '@noble/ciphers': 1.3.0
'@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)': '@effect-atom/atom-react@0.4.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)(react@19.1.0)(scheduler@0.26.0)':
dependencies:
'@effect-atom/atom': 0.4.3(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4
react: 19.1.0
scheduler: 0.26.0
transitivePeerDependencies:
- '@effect/experimental'
- '@effect/platform'
- '@effect/rpc'
'@effect-atom/atom@0.4.3(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies:
'@effect/experimental': 0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4)
'@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4
'@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies: dependencies:
'@effect/platform': 0.93.2(effect@3.19.4) '@effect/platform': 0.93.2(effect@3.19.4)
'@effect/rpc': 0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/workflow': 0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4) '@effect/workflow': 0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4 effect: 3.19.4
'@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)': '@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)':
@@ -7909,12 +7963,12 @@ snapshots:
effect: 3.19.4 effect: 3.19.4
uuid: 11.1.0 uuid: 11.1.0
'@effect/platform-bun@0.83.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)': '@effect/platform-bun@0.83.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies: dependencies:
'@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4) '@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4) '@effect/platform': 0.93.2(effect@3.19.4)
'@effect/platform-node-shared': 0.53.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4) '@effect/platform-node-shared': 0.53.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/rpc': 0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4 effect: 3.19.4
multipasta: 0.2.7 multipasta: 0.2.7
@@ -7922,11 +7976,11 @@ snapshots:
- bufferutil - bufferutil
- utf-8-validate - utf-8-validate
'@effect/platform-node-shared@0.53.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)': '@effect/platform-node-shared@0.53.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies: dependencies:
'@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4) '@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4) '@effect/platform': 0.93.2(effect@3.19.4)
'@effect/rpc': 0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@parcel/watcher': 2.5.1 '@parcel/watcher': 2.5.1
effect: 3.19.4 effect: 3.19.4
@@ -7936,6 +7990,35 @@ snapshots:
- bufferutil - bufferutil
- utf-8-validate - utf-8-validate
'@effect/platform-node-shared@0.54.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies:
'@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4)
'@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@parcel/watcher': 2.5.1
effect: 3.19.4
multipasta: 0.2.7
ws: 8.18.3
transitivePeerDependencies:
- bufferutil
- utf-8-validate
'@effect/platform-node@0.101.1(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies:
'@effect/cluster': 0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4)
'@effect/platform-node-shared': 0.54.0(@effect/cluster@0.52.10(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/sql@0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)
'@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/sql': 0.48.0(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4
mime: 3.0.0
undici: 7.16.0
ws: 8.18.3
transitivePeerDependencies:
- bufferutil
- utf-8-validate
'@effect/platform@0.93.2(effect@3.19.4)': '@effect/platform@0.93.2(effect@3.19.4)':
dependencies: dependencies:
effect: 3.19.4 effect: 3.19.4
@@ -7943,7 +8026,7 @@ snapshots:
msgpackr: 1.11.5 msgpackr: 1.11.5
multipasta: 0.2.7 multipasta: 0.2.7
'@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)': '@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)':
dependencies: dependencies:
'@effect/platform': 0.93.2(effect@3.19.4) '@effect/platform': 0.93.2(effect@3.19.4)
effect: 3.19.4 effect: 3.19.4
@@ -7956,11 +8039,11 @@ snapshots:
effect: 3.19.4 effect: 3.19.4
uuid: 11.1.0 uuid: 11.1.0
'@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)': '@effect/workflow@0.12.5(@effect/experimental@0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(@effect/platform@0.93.2(effect@3.19.4))(@effect/rpc@0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4))(effect@3.19.4)':
dependencies: dependencies:
'@effect/experimental': 0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/experimental': 0.57.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
'@effect/platform': 0.93.2(effect@3.19.4) '@effect/platform': 0.93.2(effect@3.19.4)
'@effect/rpc': 0.72.1(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4) '@effect/rpc': 0.72.2(@effect/platform@0.93.2(effect@3.19.4))(effect@3.19.4)
effect: 3.19.4 effect: 3.19.4
'@egjs/hammerjs@2.0.17': '@egjs/hammerjs@2.0.17':
@@ -8414,6 +8497,7 @@ snapshots:
- graphql - graphql
- supports-color - supports-color
- utf-8-validate - utf-8-validate
optional: true
'@expo/code-signing-certificates@0.0.5': '@expo/code-signing-certificates@0.0.5':
dependencies: dependencies:
@@ -8480,6 +8564,7 @@ snapshots:
optionalDependencies: optionalDependencies:
react: 19.2.0 react: 19.2.0
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optional: true
'@expo/env@2.0.7': '@expo/env@2.0.7':
dependencies: dependencies:
@@ -8558,7 +8643,7 @@ snapshots:
postcss: 8.4.49 postcss: 8.4.49
resolve-from: 5.0.0 resolve-from: 5.0.0
optionalDependencies: optionalDependencies:
expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)
transitivePeerDependencies: transitivePeerDependencies:
- bufferutil - bufferutil
- supports-color - supports-color
@@ -8637,7 +8722,7 @@ snapshots:
'@expo/json-file': 10.0.7 '@expo/json-file': 10.0.7
'@react-native/normalize-colors': 0.81.5 '@react-native/normalize-colors': 0.81.5
debug: 4.4.3 debug: 4.4.3
expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)
resolve-from: 5.0.0 resolve-from: 5.0.0
semver: 7.7.3 semver: 7.7.3
xml2js: 0.6.0 xml2js: 0.6.0
@@ -8665,6 +8750,7 @@ snapshots:
expo-font: 14.0.9(expo@54.0.23)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo-font: 14.0.9(expo@54.0.23)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0)
react: 19.2.0 react: 19.2.0
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optional: true
'@expo/ws-tunnel@1.0.6': {} '@expo/ws-tunnel@1.0.6': {}
@@ -8736,10 +8822,6 @@ snapshots:
'@hexagon/base64@1.1.28': {} '@hexagon/base64@1.1.28': {}
'@hono/node-server@1.19.6(hono@4.10.4)':
dependencies:
hono: 4.10.4
'@humanfs/core@0.19.1': {} '@humanfs/core@0.19.1': {}
'@humanfs/node@0.16.7': '@humanfs/node@0.16.7':
@@ -10671,6 +10753,7 @@ snapshots:
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optionalDependencies: optionalDependencies:
'@types/react': 19.1.17 '@types/react': 19.1.17
optional: true
'@react-navigation/bottom-tabs@7.8.4(@react-navigation/native@7.1.19(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-safe-area-context@5.6.2(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-screens@4.16.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)': '@react-navigation/bottom-tabs@7.8.4(@react-navigation/native@7.1.19(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-safe-area-context@5.6.2(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-screens@4.16.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)':
dependencies: dependencies:
@@ -11536,7 +11619,7 @@ snapshots:
resolve-from: 5.0.0 resolve-from: 5.0.0
optionalDependencies: optionalDependencies:
'@babel/runtime': 7.28.4 '@babel/runtime': 7.28.4
expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0)
transitivePeerDependencies: transitivePeerDependencies:
- '@babel/core' - '@babel/core'
- supports-color - supports-color
@@ -12537,6 +12620,7 @@ snapshots:
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
transitivePeerDependencies: transitivePeerDependencies:
- supports-color - supports-color
optional: true
expo-constants@18.0.10(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0)): expo-constants@18.0.10(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0)):
dependencies: dependencies:
@@ -12555,6 +12639,7 @@ snapshots:
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
transitivePeerDependencies: transitivePeerDependencies:
- supports-color - supports-color
optional: true
expo-crypto@15.0.7(expo@54.0.23): expo-crypto@15.0.7(expo@54.0.23):
dependencies: dependencies:
@@ -12570,6 +12655,7 @@ snapshots:
dependencies: dependencies:
expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0)
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optional: true
expo-font@14.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0): expo-font@14.0.9(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0):
dependencies: dependencies:
@@ -12584,6 +12670,7 @@ snapshots:
fontfaceobserver: 2.3.0 fontfaceobserver: 2.3.0
react: 19.2.0 react: 19.2.0
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optional: true
expo-haptics@15.0.7(expo@54.0.23): expo-haptics@15.0.7(expo@54.0.23):
dependencies: dependencies:
@@ -12606,6 +12693,7 @@ snapshots:
dependencies: dependencies:
expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0) expo: 54.0.23(@babel/core@7.28.5)(@expo/metro-runtime@6.1.2)(expo-router@6.0.14)(react-native@0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0))(react@19.2.0)
react: 19.2.0 react: 19.2.0
optional: true
expo-linking@8.0.8(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0): expo-linking@8.0.8(expo@54.0.23)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0):
dependencies: dependencies:
@@ -12647,6 +12735,7 @@ snapshots:
invariant: 2.2.4 invariant: 2.2.4
react: 19.2.0 react: 19.2.0
react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0) react-native: 0.82.1(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.2.0)
optional: true
expo-router@6.0.14(@expo/metro-runtime@6.1.2)(@types/react@19.1.17)(expo-constants@18.0.10)(expo-linking@8.0.8)(expo@54.0.23)(react-dom@19.1.0(react@19.1.0))(react-native-gesture-handler@2.28.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-reanimated@4.1.3(@babel/core@7.28.5)(react-native-worklets@0.5.1(@babel/core@7.28.5)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-safe-area-context@5.6.2(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-screens@4.16.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-web@0.21.2(react-dom@19.1.0(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0): expo-router@6.0.14(@expo/metro-runtime@6.1.2)(@types/react@19.1.17)(expo-constants@18.0.10)(expo-linking@8.0.8)(expo@54.0.23)(react-dom@19.1.0(react@19.1.0))(react-native-gesture-handler@2.28.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-reanimated@4.1.3(@babel/core@7.28.5)(react-native-worklets@0.5.1(@babel/core@7.28.5)(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-safe-area-context@5.6.2(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-screens@4.16.0(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0))(react-native-web@0.21.2(react-dom@19.1.0(react@19.1.0))(react@19.1.0))(react-native@0.81.4(@babel/core@7.28.5)(@types/react@19.1.17)(react@19.1.0))(react@19.1.0):
dependencies: dependencies:
@@ -12862,6 +12951,7 @@ snapshots:
- graphql - graphql
- supports-color - supports-color
- utf-8-validate - utf-8-validate
optional: true
exponential-backoff@3.1.3: {} exponential-backoff@3.1.3: {}
@@ -13214,8 +13304,6 @@ snapshots:
dependencies: dependencies:
react-is: 16.13.1 react-is: 16.13.1
hono@4.10.4: {}
hosted-git-info@7.0.2: hosted-git-info@7.0.2:
dependencies: dependencies:
lru-cache: 10.4.3 lru-cache: 10.4.3
@@ -14991,6 +15079,7 @@ snapshots:
- bufferutil - bufferutil
- supports-color - supports-color
- utf-8-validate - utf-8-validate
optional: true
react-reconciler@0.32.0(react@19.1.0): react-reconciler@0.32.0(react@19.1.0):
dependencies: dependencies:
@@ -15058,7 +15147,8 @@ snapshots:
react@19.1.0: {} react@19.1.0: {}
react@19.2.0: {} react@19.2.0:
optional: true
readable-stream@3.6.2: readable-stream@3.6.2:
dependencies: dependencies:
@@ -15764,6 +15854,8 @@ snapshots:
undici@6.22.0: {} undici@6.22.0: {}
undici@7.16.0: {}
unicode-canonical-property-names-ecmascript@2.0.1: {} unicode-canonical-property-names-ecmascript@2.0.1: {}
unicode-match-property-ecmascript@2.0.0: unicode-match-property-ecmascript@2.0.0:

View File

@@ -91,7 +91,7 @@ const moveDirectories = async (userInput) => {
userInput === "y" userInput === "y"
? `\n3. Delete the /${exampleDir} directory when you're done referencing it.` ? `\n3. Delete the /${exampleDir} directory when you're done referencing it.`
: "" : ""
}` }`,
); );
} catch (error) { } catch (error) {
console.error(`❌ Error during script execution: ${error.message}`); console.error(`❌ Error during script execution: ${error.message}`);
@@ -108,5 +108,5 @@ rl.question(
console.log("❌ Invalid input. Please enter 'Y' or 'N'."); console.log("❌ Invalid input. Please enter 'Y' or 'N'.");
rl.close(); rl.close();
} }
} },
); );

View File

@@ -33,4 +33,3 @@ try {
console.error("Failed to update .env.dev:", err); console.error("Failed to update .env.dev:", err);
process.exit(1); process.exit(1);
} }