Upgrade to Pro — share decks privately, control downloads, hide ads and more …

型付き API リクエストを実現するいくつかの手法とその選択 / Typed API Request

euxn23
November 15, 2024

型付き API リクエストを実現するいくつかの手法とその選択 / Typed API Request

euxn23

November 15, 2024
Tweet

More Decks by euxn23

Other Decks in Programming

Transcript

  1. API 連携の安全性確保のための手法 コードファーストでない API 仕様書 (NOT OpenAPI) を書く 結合テストを増やす 監視で異常系を発見する

    コードファーストな 実装や定義を共有する OpenAPI を実装と結びつける フレームワークの機能に乗る
  2. コードファーストなアプローチ TypeScript ファーストな手法 型定義の共有 Zod スキーマの共有 フレームワークの機能の利用 Hono RPC tRPC

    言語に依存しない手法 サーバコードから OpenAPI を 自動生成 OpenAPI からクライアントコードを 自動生成
  3. コードファーストなアプローチ TypeScript ファーストな手法 型定義の共有 Zod スキーマの共有 フレームワークの機能の利用 Hono RPC tRPC

    言語に依存しない手法 サーバコードから OpenAPI を 自動生成 OpenAPI からクライアントコードを 自動生成
  4. サーバ側の型定義 1. 型定義の共有 export type GetPetRequest = { param: {

    id: string } }; export type GetPetResponse = Pet; export type PostPetRequest = { body: Pet }; export type PostPetRequest = never;
  5. クライアント側の実装 1. 型定義の共有 import type { GetPetRequest, GetPetResponse, PostPetRequest, PostPetResponse

    } from '@/server'; export async function requestGetPet(req: GetPetRequest): Promise<GetPetResponse> { return fetch(`/api/pets/${req.param.id}`).then(res => res.json()); } export async function requestPostPet(req: PostPetRequest): Promise<PostPetResponse> { return fetch(`/api/pets`, { method: 'POST', body: JSON.stringify(req.body) }) .then(res => res.json()); } const pet = await requestGetPet({ param: { id: '1' } }); const newPet = { // ... }; await requestPostPet({ body: newPet });
  6. 共通コード 2. Zod スキーマの共有 const PetTagSchema = z.object({ id: z.number(),

    name: z.string(), }); const PetSchema = z.object({ id: z.string(), name: z.string(), tags: z.array(PetTagSchema), }); https://github.com/colinhacks/zod
  7. クライアント側の実装 2. Zod スキーマの共有 async function postPet(pet: z.infer<typeof PetSchema>): Promise<void>

    { const result = PetSchema.safeParse(pet); if (!result.success) { throw new Error('Invalid pet'); } await fetch('/api/pets', { method: 'POST', body: JSON.stringify(pet) }); }
  8. サーバ側の実装(例: Express) 2. Zod スキーマの共有 app.post('/pets', async (req, res) =>

    { const result = PetSchema.safeParse(req.body); if (!result.success) { res.status(400).json(result.error); return; } const pet = result.data; const inserted = await insertPet(pet) res.json(inserted); return; });
  9. 2. Zod スキーマの共有 Pros バリデーションと型定義が一致する バリデーションロジックごと サーバ・クライアントで共有できる Cons schema のプロパティ変更は

    infer した型の変数には波及しないため、 type で引き回す方が良い 型定義と Zod の Schema の二重管理 が発生するが、乖離を防ぐため次の ような工夫が必要
  10. 工夫の例 export type PetTag = { id: number; name: string;

    }; export type Pet = { id: string; name: string; tags: PetTag[]; }; const PetTagSchema = z.object({ id: z.number(), name: z.string(), }) satisfies ZodType<PetTag>; const PetSchema = z.object({ id: z.string(), name: z.string(), tags: z.array(PetTagSchema), }) satisfies ZodType<Pet>;
  11. 3. フレームワークの機能の利用 - Hono RPC const route = app.post( '/posts',

    zValidator( 'form', z.object({ title: z.string(), body: z.string(), }) ), (c) => { // ... return c.json({ ok: true, message: 'Created!', }, 201) } ) export type AppType = typeof route https://hono.dev/docs/guides/rpc
  12. 3. フレームワークの機能の利用 - Hono RPC import { AppType } from

    '.' import { hc } from 'hono/client' const client = hc<AppType>('http://localhost:8787/') const res = await client.posts.$post({ form: { title: 'Hello', body: 'Hono is a cool project', }, }) if (res.ok) { const data = await res.json() console.log(data.message) }
  13. なぜ gRPC や GraphQL ではないか gRPC HTTP/2 が必要 プロトコルバッファの表現力の問題 Go

    まわり以外、エコシステムがあまり成熟していない GraphQL そもそもが根本的に難しい バックエンドの実装負担が大きい 既存の実装を GraphQL 化するのは難しい
  14. NestJS のサンプルコード export class Cat { /** * The name

    of the Cat * @example Kitty */ name: string; @ApiProperty({ example: 1, description: 'The age of the Cat' }) age: number; @ApiProperty({ example: 'Maine Coon', description: 'The breed of the Cat', }) breed: string; } https://github.com/nestjs/nest/tree/master/sample/11-swagger
  15. @ApiBearerAuth() @ApiTags('cats') @Controller('cats') export class CatsController { constructor(private readonly catsService:

    CatsService) {} @Post() @ApiOperation({ summary: 'Create cat' }) @ApiResponse({ status: 403, description: 'Forbidden.' }) async create(@Body() createCatDto: CreateCatDto): Promise<Cat> { return this.catsService.create(createCatDto); } @Get(':id') @ApiResponse({ status: 200, description: 'The found record', type: Cat, }) findOne(@Param('id') id: string): Cat { return this.catsService.findOne(+id); } }
  16. @hono/zod-openapi のサンプルコード const route = createRoute({ method: 'get', path: '/users/{id}',

    request: { params: ParamsSchema, }, responses: { 200: { content: { 'application/json': { schema: UserSchema, }, }, description: 'Retrieve the user', }, }, }) https://hono.dev/examples/zod-openapi
  17. const app = new OpenAPIHono() app.openapi(route, (c) => { const

    { id } = c.req.valid('param') return c.json({ id, age: 20, name: 'Ultra-man', }) }) // The OpenAPI documentation will be available at /doc app.doc('/doc', { openapi: '3.0.0', info: { version: '1.0.0', title: 'My API', }, })
  18. サーバ実装から OpenAPI を生成することの是非 Pros 仕様と実装が一致する 常に最新になる OpenAPI を手書きしなくてよい Cons 実装を変更しないと

    OpenAPI を変更 できない まだ実装されていないが変更予定 のものを OpenAPI にしにくい OpenAPI を中心として議論しにく い
  19. openapi-typescript / openapi-fetch openapi-typescript は OpenAPI から TS コードを生成 openapi-fetch

    はこれを元に API Client コードを生成 https://openapi-ts.dev/ https://openapi-ts.dev/openapi-fetch/
  20. openapi-typescript のサンプルコード import { paths, components } from "./path/to/my/schema"; //

    <- generated by openapi-typescript // Schema Obj type MyType = components["schemas"]["MyType"]; // Path params type EndpointParams = paths["/my/endpoint"]["parameters"]; // Response obj type SuccessResponse = paths["/my/endpoint"]["get"]["responses"][200]["content"]["application/json"] type ErrorResponse = paths["/my/endpoint"]["get"]["responses"][500]["content"]["application/json"][" https://openapi-ts.dev/introduction
  21. openapi-fetch のサンプルコード import createClient from "openapi-fetch"; import type { paths

    } from "./my-openapi-3-schema"; // generated by openapi-typescript const client = createClient<paths>({ baseUrl: "https://myapi.dev/v1/" }); const { data, // only present if 2XX response error, // only present if 4XX or 5XX response } = await client.GET("/blogposts/{post_id}", { params: { path: { post_id: "123" }, }, }); await client.PUT("/blogposts", { body: { title: "My New Post", }, }); https://openapi-ts.dev/openapi-fetch/
  22. orval のサンプルコード import type { CreatePetsBody } from '../model'; import

    { customInstance } from '../mutator/custom-instance'; export const createPets = ( createPetsBody: CreatePetsBody, version: number = 1, ) => { return customInstance<void>({ url: `/v${version}/pets`, method: 'POST', headers: { 'Content-Type': 'application/json' }, data: createPetsBody, }); }; https://github.com/anymaniax/orval/blob/master/samples/react-app
  23. 残念ながら、TS ではメジャーな(十分枯れた)ものはない 例えば golang なら oapi-codegen や ogen などがある ogen

    は interface を生成、それに合わせて実装する レイヤが別れるので後入れは難しい、開発初期なら検討の余地あり OpenAPI からサーバコードを生成
  24. TypeSpec TypeScript / C# 風味の DSL で OpenAPI Schema を書けるライブラリ

    LanguageServer を提供されており、VSCode 向けにプラグインを提供 コンパイル時に valid な記法か確認されるので安心 https://typespec.io/
  25. import "@typespec/http"; using TypeSpec.Http; model PetTag { id: number; name:

    string; }; model Pet { id: string; name: string; tags: PetTag[]; } @route("/pets/{id}") interface Stores { @opetationId("get-pet") @summary("Get a pet by ID") @get get(@path id: string): { @statusCode statusCode: 200; @body Pet; }; }
  26. まとめ サーバとクライアントの TS コード共有は楽だが、 結合レイヤの TS 依存はリスクである 結合レイヤはエコシステムが充実しており、 言語非依存の OpenAPI

    を用いるのが良いのではないか OpenAPI により仕様と実装を近づけることで コード面の安全性や開発効率の向上が期待できる