Compare commits

...

2 Commits

6 changed files with 143 additions and 1 deletions

View File

@@ -1,9 +1,66 @@
import { create } from "zustand"; import { create } from "zustand";
import type { AuthStore } from "../../types/store"; import type { AuthStore } from "../../types/store";
import { login, logout, register } from "../../../api";
import { callApi } from "shared/utils";
export const useAuthStore = create<AuthStore>()((set) => ({ export const useAuthStore = create<AuthStore>()((set) => ({
user: undefined, user: undefined,
status: "idle", status: "idle",
setUser: (user) => set({ user }), setUser: (user) => set({ user }),
setStatus: (status) => set({ status }), setStatus: (status) => set({ status }),
login: async (loginData) => {
set({ status: "loading" });
try {
const [responseData, loginError] = await callApi(() => login(loginData));
if (loginError) {
set({ status: "unauthenticated" });
return;
}
set({
status: "authenticated",
user: responseData?.user,
});
} catch (err) {
console.warn(err);
set({ status: "idle" });
}
},
register: async (registerData) => {
try {
const [responseData, registerError] = await callApi(() =>
register(registerData),
);
if (registerError) {
set({ status: "unauthenticated" });
return;
}
set({
status: "authenticated",
user: responseData?.user,
});
} catch (err) {
console.warn(err);
set({ status: "idle" });
}
},
logout: async () => {
set({ status: "loading" });
try {
const [, logoutError] = await callApi(() => logout());
if (logoutError) {
set({ status: "authenticated" });
}
set({ status: "unauthenticated", user: undefined });
} catch (err) {
console.warn(err);
set({ status: "idle" });
}
},
})); }));

View File

@@ -1,7 +1,8 @@
import type { User } from "entities/User"; import type { User } from "entities/User";
import type { AuthStatus } from "./service"; import type { AuthData, AuthStatus } from "./service";
export interface AuthStoreState { export interface AuthStoreState {
/** /**
* User's credentials * User's credentials
*/ */
@@ -12,9 +13,18 @@ export interface AuthStoreState {
status: AuthStatus; status: AuthStatus;
} }
export type LoginAction = (data: AuthData) => void;
export type RegisterAction = (data: AuthData) => void;
export type LogoutAction = () => void;
export interface AuthStoreActions { export interface AuthStoreActions {
setUser: (user: AuthStoreState["user"] | undefined) => void; setUser: (user: AuthStoreState["user"] | undefined) => void;
setStatus: (status: AuthStoreState["status"]) => void; setStatus: (status: AuthStoreState["status"]) => void;
// Async actions
login: LoginAction;
register: RegisterAction;
logout: LogoutAction;
} }
export type AuthStore = AuthStoreState & AuthStoreActions; export type AuthStore = AuthStoreState & AuthStoreActions;

View File

@@ -0,0 +1,40 @@
import { HTTPError } from "ky";
import { callApi } from "./callApi";
function makeHttpError(status: number, body: object) {
const response = new Response(JSON.stringify(body), {
status,
headers: { "Content-Type": "application/json" },
});
return new HTTPError(response, new Request("http://test.com"), {});
}
describe("callApi", () => {
describe("happy path", () => {
it("returns [data, null] when the fn resolves", async () => {
const [data, error] = await callApi(() => Promise.resolve({ id: 1 }));
expect(data).toEqual({ id: 1 });
expect(error).toBeNull();
});
});
describe("error cases", () => {
it("returns [null, ApiError] on HTTPError", async () => {
const [data, error] = await callApi(() =>
Promise.reject(makeHttpError(401, { message: "Unauthorized" })),
);
expect(data).toBeNull();
expect(error).toEqual({ status: 401, message: "Unauthorized" });
});
it("re-throws non-HTTP errors", async () => {
const unexpected = new TypeError("Network failure");
await expect(
callApi(() => Promise.reject(unexpected)),
).rejects.toThrow("Network failure");
});
});
});

View File

@@ -0,0 +1,33 @@
import { HTTPError } from "ky";
export interface ApiError {
/**
* Client error response status code
*/
status: number;
/**
* Error message
*/
message: string;
}
/**
* Helper function that calls Ky and manages its errors;
* @returns A tuple [data, error] in Golang-like fashion
*/
export async function callApi<T>(
fn: () => Promise<T>,
): Promise<[T, null] | [null, ApiError]> {
try {
const data = await fn();
return [data, null];
} catch (error) {
if (error instanceof HTTPError) {
const body = await error.response.json<{ message: string }>();
return [null, { status: error.response.status, message: body.message }];
}
// re-throw unexpected errors
throw error;
}
}

View File

@@ -0,0 +1 @@
export * from "./callApi/callApi";

View File

@@ -0,0 +1 @@
export * from "./helpers";