Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: add draft version support and update emoji version schema #3

Merged
merged 11 commits into from
Feb 16, 2025
1 change: 1 addition & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -1,2 +1,3 @@
node_modules
.wrangler
dist
33 changes: 18 additions & 15 deletions src/routes/v1_categories.openapi.ts
Original file line number Diff line number Diff line change
@@ -1,29 +1,30 @@
import { createRoute, z } from "@hono/zod-openapi";
import { ApiErrorSchema, EmojiVersion } from "../schemas";
import { ApiErrorSchema } from "../schemas";

const VERSION_PATH_PARAMETER = {
in: "path" as const,
name: "version",
required: true,
example: "latest",
schema: {
type: "string" as const,
},
};
export const ALL_CATEGORIES_ROUTE = createRoute({
method: "get",
path: "/",
tags: ["Categories"],
parameters: [
{
in: "path",
name: "version",
required: true,
example: "latest",
schema: {
type: "string",
},
},
VERSION_PATH_PARAMETER,
],
responses: {
200: {
content: {
"application/json": {
schema: z.array(EmojiVersion),
schema: z.array(z.object({})),
},
},
description: "Retrieve a list of all emoji versions available",
description: "Retrieve a list of all emoji categories available for the specified version",
},
500: {
content: {
Expand All @@ -41,10 +42,12 @@ export const GET_CATEGORY_ROUTE = createRoute({
path: "/{category}",
tags: ["Categories"],
parameters: [
VERSION_PATH_PARAMETER,
{
in: "path",
name: "version",
name: "category",
required: true,
example: "smileys",
schema: {
type: "string",
},
Expand All @@ -54,10 +57,10 @@ export const GET_CATEGORY_ROUTE = createRoute({
200: {
content: {
"application/json": {
schema: z.array(EmojiVersion),
schema: z.object({}),
},
},
description: "Retrieve a list of all emoji versions available",
description: "Retrieve the information for the specified emoji category",
},
500: {
content: {
Expand Down
16 changes: 12 additions & 4 deletions src/routes/v1_categories.ts
Original file line number Diff line number Diff line change
Expand Up @@ -14,18 +14,26 @@ V1_CATEGORIES_ROUTER.use(async (c, next) => {

const availableVersions = await getAvailableVersions();

if (!availableVersions.includes(version) && version !== "latest") {
return createError(c, 400, "invalid version");
if (version !== "latest" && !availableVersions.some((v) => v.emoji_version === version)) {
return createError(c, 404, "version not found");
}

await next();
});

V1_CATEGORIES_ROUTER.openapi(ALL_CATEGORIES_ROUTE, async (c) => {
const _version = c.req.param("version");
const version = c.req.param("version");

const res = await fetch(`https://raw.githubusercontent.com/mojisdev/emoji-data/refs/heads/main/data/v${version}/groups.json`);

if (!res.ok) {
return createError(c, 500, "failed to fetch categories");
}

const categories = await res.json();

return c.json(
[],
categories as [],
200,
);
});
57 changes: 53 additions & 4 deletions src/routes/v1_versions.openapi.ts
Original file line number Diff line number Diff line change
@@ -1,15 +1,29 @@
import { createRoute, z } from "@hono/zod-openapi";
import { ApiErrorSchema, EmojiVersion } from "../schemas";
import { ApiErrorSchema, EmojiVersionSchema } from "../schemas";

const DRAFT_PARAMETER = {
in: "query" as const,
name: "draft",
required: false,
description: "Whether to include draft versions",
schema: {
type: "string" as const,
enum: ["true", "false"],
},
};

export const ALL_EMOJI_VERSIONS_ROUTE = createRoute({
method: "get",
path: "/",
tags: ["Versions"],
parameters: [
DRAFT_PARAMETER,
],
responses: {
200: {
content: {
"application/json": {
schema: z.array(EmojiVersion),
schema: z.array(EmojiVersionSchema),
},
},
description: "Retrieve a list of all emoji versions available",
Expand All @@ -29,14 +43,49 @@ export const LATEST_EMOJI_VERSIONS_ROUTE = createRoute({
method: "get",
path: "/latest",
tags: ["Versions"],
parameters: [
DRAFT_PARAMETER,
],
responses: {
200: {
content: {
"application/json": {
schema: z.array(EmojiVersion),
schema: EmojiVersionSchema,
},
},
description: "Retrieve a list of all emoji versions available",
description: "Retrieve the latest emoji version available",
},
500: {
content: {
"application/json": {
schema: ApiErrorSchema,
},
},
description: "Internal Server Error",
},
},
});

export const DRAFT_EMOJI_VERSIONS_ROUTE = createRoute({
method: "get",
path: "/draft",
tags: ["Versions"],
responses: {
200: {
content: {
"application/json": {
schema: EmojiVersionSchema,
},
},
description: "Retrieve the latest draft emoji version available",
},
404: {
content: {
"application/json": {
schema: ApiErrorSchema,
},
},
description: "No draft versions available",
},
500: {
content: {
Expand Down
53 changes: 35 additions & 18 deletions src/routes/v1_versions.ts
Original file line number Diff line number Diff line change
@@ -1,39 +1,56 @@
import type { HonoContext } from "../types";
import { OpenAPIHono } from "@hono/zod-openapi";
import { EMOJI_LOCK_SCHEMA } from "../schemas";
import { createError, getCachedVersions } from "../utils";
import { ALL_EMOJI_VERSIONS_ROUTE, LATEST_EMOJI_VERSIONS_ROUTE } from "./v1_versions.openapi";
import { createError, getAvailableVersions } from "../utils";
import { ALL_EMOJI_VERSIONS_ROUTE, DRAFT_EMOJI_VERSIONS_ROUTE, LATEST_EMOJI_VERSIONS_ROUTE } from "./v1_versions.openapi";

export const V1_VERSIONS_ROUTER = new OpenAPIHono<HonoContext>().basePath("/api/v1/versions");

V1_VERSIONS_ROUTER.openapi(ALL_EMOJI_VERSIONS_ROUTE, async (c) => {
try {
const versions = await getCachedVersions();
return c.json(versions.map((version) => ({ version })), 200);
const draft = c.req.query("draft");

let versions = await getAvailableVersions();

if (draft === "true") {
versions = versions.filter((version) => !version.draft);
}

return c.json(versions, 200);
} catch {
return createError(c, 500, "failed to fetch emoji data");
}
});

V1_VERSIONS_ROUTER.openapi(LATEST_EMOJI_VERSIONS_ROUTE, async (c) => {
const res = await fetch("https://raw.githubusercontent.com/mojisdev/emoji-data/refs/heads/main/emojis.lock");
try {
const draft = c.req.query("draft");

let versions = await getAvailableVersions();

if (draft === "true") {
versions = versions.filter((version) => !version.draft);
}

if (versions[0] == null) {
return createError(c, 500, "failed to fetch emoji data");
}

if (!res.ok) {
return c.json(versions[0], 200);
} catch {
return createError(c, 500, "failed to fetch emoji data");
}
Comment on lines +25 to 41
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Reduce code duplication and improve consistency.

The draft parameter handling is duplicated from ALL_EMOJI_VERSIONS_ROUTE. Consider extracting the common logic into a utility function.

Apply this diff to improve the code:

+async function getFilteredVersions(draft: string | null) {
+  const includeDrafts = draft !== "true";
+  const versions = await getAvailableVersions();
+  return includeDrafts ? versions : versions.filter((version) => !version.draft);
+}

 V1_VERSIONS_ROUTER.openapi(LATEST_EMOJI_VERSIONS_ROUTE, async (c) => {
   try {
-    const draft = c.req.query("draft");
-
-    let versions = await getAvailableVersions();
-
-    if (draft === "true") {
-      versions = versions.filter((version) => !version.draft);
-    }
+    const versions = await getFilteredVersions(c.req.query("draft"));

     if (versions[0] == null) {
       return createError(c, 500, "failed to fetch emoji data");
     }

     return c.json(versions[0], 200);
   } catch {
     return createError(c, 500, "failed to fetch emoji data");
   }
 });
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
try {
const draft = c.req.query("draft");
let versions = await getAvailableVersions();
if (draft === "true") {
versions = versions.filter((version) => !version.draft);
}
if (versions[0] == null) {
return createError(c, 500, "failed to fetch emoji data");
}
if (!res.ok) {
return c.json(versions[0], 200);
} catch {
return createError(c, 500, "failed to fetch emoji data");
}
async function getFilteredVersions(draft: string | null) {
const includeDrafts = draft !== "true";
const versions = await getAvailableVersions();
return includeDrafts ? versions : versions.filter((version) => !version.draft);
}
V1_VERSIONS_ROUTER.openapi(LATEST_EMOJI_VERSIONS_ROUTE, async (c) => {
try {
const versions = await getFilteredVersions(c.req.query("draft"));
if (versions[0] == null) {
return createError(c, 500, "failed to fetch emoji data");
}
return c.json(versions[0], 200);
} catch {
return createError(c, 500, "failed to fetch emoji data");
}
});

});

const data = await res.json();
V1_VERSIONS_ROUTER.openapi(DRAFT_EMOJI_VERSIONS_ROUTE, async (c) => {
try {
const versions = (await getAvailableVersions()).filter((version) => version.draft);

const result = EMOJI_LOCK_SCHEMA.safeParse(data);
if (versions[0] == null) {
return createError(c, 404, "no draft versions available");
}

if (!result.success) {
return createError(c, 500, "invalid emoji data schema");
return c.json(versions[0], 200);
} catch {
return createError(c, 500, "failed to fetch emoji data");
}

return c.json(
result.data.versions.map((version) => ({
version: version.emoji_version,
})),
200,
);
});
22 changes: 17 additions & 5 deletions src/schemas.ts
Original file line number Diff line number Diff line change
@@ -1,10 +1,18 @@
import { z } from "@hono/zod-openapi";

export const EmojiVersion = z.object({
version: z.string().openapi({
export const EmojiVersionSchema = z.object({
draft: z.boolean().openapi({
description: "Whether the version is a draft",
example: false,
}),
emoji_version: z.string().nullable().openapi({
description: "The emoji version",
example: "16.0",
}),
unicode_version: z.string().nullable().openapi({
description: "The Unicode version that corresponds to the emoji version",
example: "14.0",
}),
});

export const ApiErrorSchema = z.object({
Expand All @@ -25,7 +33,11 @@ export const ApiErrorSchema = z.object({
});

export const EMOJI_LOCK_SCHEMA = z.object({
versions: z.array(z.object({
emoji_version: z.string(),
})),
versions: z.array(
z.object({
emoji_version: z.string().nullable(),
unicode_version: z.string().nullable(),
draft: z.boolean(),
}),
),
});
4 changes: 3 additions & 1 deletion src/types.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,5 @@
import type { z } from "zod";
import type { ApiErrorSchema } from "./schemas";
import type { ApiErrorSchema, EMOJI_LOCK_SCHEMA, EmojiVersionSchema } from "./schemas";

export interface HonoContext {
Bindings: {
Expand All @@ -11,3 +11,5 @@ export interface HonoContext {
export type HonoBindings = HonoContext["Bindings"];

export type ApiError = z.infer<typeof ApiErrorSchema>;
export type EmojiLock = z.infer<typeof EMOJI_LOCK_SCHEMA>;
export type EmojiVersion = z.infer<typeof EmojiVersionSchema>;
41 changes: 7 additions & 34 deletions src/utils.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import type { Context } from "hono";
import type { ContentfulStatusCode } from "hono/utils/http-status";
import type { ApiError } from "./types";
import type { ApiError, EmojiLock } from "./types";
import { EMOJI_LOCK_SCHEMA } from "./schemas";

export function createError<TCtx extends Context, TStatus extends ContentfulStatusCode>(ctx: TCtx, status: TStatus, message: string) {
const url = new URL(ctx.req.url);
Expand All @@ -14,29 +15,7 @@ export function createError<TCtx extends Context, TStatus extends ContentfulStat
});
}

const CACHE_TTL = 60 * 60;

export async function getCachedVersions(): Promise<string[]> {
const cache = await caches.open("emoji-versions");
const cacheKey = "versions";

let response = await cache.match(cacheKey);

if (!response) {
const versions = await getAvailableVersions();
response = new Response(JSON.stringify(versions), {
headers: {
"Cache-Control": `public, max-age=${CACHE_TTL}`,
"Content-Type": "application/json",
},
});
await cache.put(cacheKey, response.clone());
}

return JSON.parse(await response.text());
}

export async function getAvailableVersions(): Promise<string[]> {
export async function getAvailableVersions(): Promise<EmojiLock["versions"]> {
const res = await fetch("https://raw.githubusercontent.com/mojisdev/emoji-data/refs/heads/main/emojis.lock");

if (!res.ok) {
Expand All @@ -45,17 +24,11 @@ export async function getAvailableVersions(): Promise<string[]> {

const data = await res.json();

if (
data == null
|| typeof data !== "object"
|| !("versions" in data)
|| !Array.isArray(data.versions)
|| data.versions.some((version: any) => typeof version !== "object"
|| !("emoji_version" in version)
|| typeof version.emoji_version !== "string")
) {
const result = EMOJI_LOCK_SCHEMA.safeParse(data);

if (!result.success) {
throw new Error("invalid emoji data schema");
}

return data.versions.map((version) => version.emoji_version);
return result.data.versions;
}
2 changes: 1 addition & 1 deletion test/index.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,7 @@ import { expect, it } from "vitest";
import worker from "../src";

it("respond with a 404", async () => {
const request = new Request("https://mojis.dev/not-found");
const request = new Request("https://api.mojis.dev/not-found");
const ctx = createExecutionContext();
const response = await worker.fetch(request, env, ctx);
await waitOnExecutionContext(ctx);
Expand Down
Loading